JavaScript HTML Element Hiding Guide
JavaScript HTML Element Hiding Guide
Q. 1) Explain how JavaScript can hide HTML Elements with suitable example.
Ans) In this tutorial, we will learn how to hide HTML element with JavaScript.
Hiding an HTML element can be performed in different ways in JavaScript. In this tutorial, we
will see the three most popular ways of doing it −
Generally, we use the hidden attribute to hide a particular element. We can toggle between
hiding and showing the element by setting the hidden attribute value to true or false,
respectively.
In the other two ways, we use the style object of the element. We have two properties in the
style object to hide the HTML element, one is the display, and another one is the visibility.
In JavaScript, we can use both of these properties to hide the HTML elements, but the main
difference between these two is when we use style.visibility property, then the specific tag
is not visible, but the space of the tag is still allocated. Whereas in style.display property, not
only is the tag hidden but also there is no space allocated to that element.
Hidden Code:
<!DOCTYPE html>
<html lang="en"></html>
<head>
    <meta charset="utf-18">
    <meta name="viewport" content="width=device-width,initial-
scale=1.0">
    <title>Hiding Html Element using Javascript</title>
</head>
<body>
    <!-- Hiding HTML Element using the Hidden Property -->
    <div id="myDiv">Click the below button to hide or show
this</div>
    <br>
    <br>
    <button onclick="hide_hidden()">Hide Element using Hidden
Property</button>
IP Notes Created by Sumit Jaiswar
     <script>
        function hide_hidden(){
            document.getElementById("myDiv").hidden=true;
        }
        function show_hidden(){
            document.getElementById("myDiv").hidden=false;
        }
    </script>
</body>
</html>
style.display
<!DOCTYPE html>
<html>
<head>
    <meta charset="utf-18">
    <meta name="viewport" content="width=device-width,inital-
scale=1.0">
    <title>Hiding HTML Element using style.display Property of
Javascript</title>
    <style>
    #myDiv{
        width: 630px;
        height: 300px;
        background-color: #f3f3f3;}
    </style>
</head>
<body>
    <p>Click the hide element button to hide the DIV Element</p>
    <div id="myDiv">Hello world! this the DIV element</div><br>
    <button onclick="hide()">Hide Element</button>
    <button onclick="show()">Show Element</button>
    <script>
    function hide(){
        document.getElementById("myDiv").style.display='none';
    }
    function show(){
IP Notes Created by Sumit Jaiswar
            document.getElementById("myDiv").style.display='inline-
block';
    }
    </script>
</body>
</html>
style.visibilty
<!DOCTYPE html>
<html>
<head>
    <meta charset="utf-18">
    <meta name="viewport" content="width=device-width,inital-
scale=1.0">
    <title>Hiding HTML Element using style.display Property of
Javascript</title>
    <style>
    #myDiv{
        width: 630px;
        height: 300px;
        background-color: #f3f3f3;
        }
    </style>
</head>
<body>
    <p>Click the hide element button to hide the DIV Element</p>
    <div id="myDiv">Hello world! this the DIV element</div><br>
    <button onclick="hide()">Hide Element</button>
    <button onclick="show()">Show Element</button>
    <script>
    function hide(){
        document.getElementById("myDiv").style.visibility='hidden';
    }
    function show(){
        document.getElementById("myDiv").style.visibility='visible';
    }
    </script>
</body>
</html>
IP Notes Created by Sumit Jaiswar
Q. 2) If you wanted to send sensitive information like password to the backend which
among the get and the post method in php would you use , justify your answer.
Ans)
Sending sensitive information, such as passwords, should always be done with the POST
method rather than the GET method in PHP, and here's why:
   1. Security:
           •   GET Method: Parameters are appended to the URL, which means they are
               visible in the browser's address bar and can be stored in browser history,
               server logs, and may be cached. This makes sensitive information, like
               passwords, more susceptible to being compromised.
           •   POST Method: Parameters are sent in the request body, not in the URL. This
               provides a more secure way of transmitting sensitive information because
               the data is not exposed in the URL.
   2. Request Length Limitations:
           •   GET Method: The amount of data that can be sent using the GET method is
               limited by the browser and server. Exceeding these limits might result in
               errors, and it's not suitable for sending large amounts of data or sensitive
               information.
           •   POST Method: There are typically higher limits for data sent via POST, making
               it more suitable for transmitting larger amounts of data, like form
               submissions with sensitive information.
   3. Idempotence:
           •   GET Method: It is considered idempotent, meaning multiple identical
               requests should have the same effect as a single request. This makes it more
               suitable for operations that don't modify data.
           •   POST Method: It is not necessarily idempotent, meaning multiple identical
               requests might have different effects. It's designed for operations that modify
               data, making it appropriate for actions like submitting forms, including those
               with sensitive data.
   4. Caching:
           •   GET Method: Since parameters are included in the URL, responses are more
               prone to being cached by browsers and intermediaries. This is not desirable
               for sensitive information.
           •   POST Method: Responses are less likely to be cached, especially when
               appropriate headers are set, providing better control over caching behavior.
In summary, the POST method is more secure and suitable for sending sensitive information
as it keeps the data out of the URL, has higher limits for data transmission, and is designed
IP Notes Created by Sumit Jaiswar
for operations that modify data. Always use HTTPS in conjunction with the POST method to
encrypt the data in transit for an additional layer of security.
Q. 3) Write a code in React JS to Display “Hello World”.
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-
scale=1.0">
    <title>Home</title>
    <script crossorigin
src="https://unpkg.com/react@18/umd/react.development.js"></script>
    <script crossorigin src="https://unpkg.com/react-
dom@18/umd/react-dom.development.js"></script>
    <script
src="https://unpkg.com/@babel/standalone/babel.min.js"></script>
    <script type="text/babel">
        // ReactDOM.render(
        //      "Welcome to React !!",
        //      document.querySelector("p")
        // )
        const root =
ReactDOM.createRoot(document.querySelector("h3"));
        root.render("Hello ! React");
    </script>
</head>
<body>
    <h2>Home - Using React</h2>
    <h3></h3>
    <a href="index.html">Back to Index</a>
</body>
</html>
Q. 4) Write the HTML 5 code to drag a specific image and drop it on specific location.
<!DOCTYPE html>
<html>
<head>
  <title>Drag and Drop</title>
  <style>
    #box {
       width: 300px;
       height: 300px;
       border: 4px dashed black;
    }
IP Notes Created by Sumit Jaiswar
  </style>
</head>
<body>
  <p><b>Drag the Image or browse the file</b></p>
  <div id="box" ondrop="drop(event)" ondragover="allowDrop(event)">
  </div><br>
  <img id="logo" src="https://cdn.pixabay.com/photo/2017/08/05/11/16/logo-
2582748_1280.png" draggable="true" ondragstart="drag(event)" height="100"
width="100">
  <script>
    function drag(event) {
       event.dataTransfer.setData("text", event.target.id);
    }
    function drop(event) {
       event.preventDefault();
       var data = event.dataTransfer.getData("Text");
       event.target.appendChild(document.getElementById(data));
    }
    function allowDrop(event) {
       event.preventDefault();
    }
  </script>
</body>
</html>
<!DOCTYPE html>
<html>
  <title>Mathematics Operations </title>
  <body>
    <form method="post" action="index.jsp">
       <fieldset style="width:30%; background-color:#b3d1ff">
         <h2><center> Mathematical Operation</center></h2>
         <hr>
         <font size=5 face="Times New Roman">
            <input type="radio" name="a1" value="add" checked>Addition</input><br>
            <input type="radio" name="a1" value="sub">Subtraction</input><br>
            <input type="radio" name="a1" value="mul" >Multiplication</input><br>
            <input type="radio" name="a1" value="div" >Division</input><br>
         </font>
         <table>
         <tr>
            <td>Enter first Value:</td>
            <td> <input type="text" name="t1" value=""></td>
         </tr>
         <tr>
            <td>Enter second Value: </td>
            <td><input type="text" name="t2" value=""></td>
         </tr><br>
         <tr>
            <td></td>
            <td><input type="submit" name="result" value="Check result!"></td>
         </tr>
         </table>
       </fieldset>
    </form>
  </body>
</html>
IP Notes Created by Sumit Jaiswar
___________________________________________________________________________
Index.jsp____________________________________________________________________
       int i=Integer.parseInt(num1);
       int j=Integer.parseInt(num2);
       int k=0;
       String str=request.getParameter("a1");
       if(str.equals("add"))
          k=i+j;
       if(str.equals("sub"))
          k=i-j;
       if(str.equals("mul"))
          k=i*j;
       if(str.equals("div"))
          k=i/j;
    %>
    Result is: <%=k%>
  </body>
</html>
___________________________________________________________________________
error.jsp___________________________________________________________________
<web-app>
  <servlet>
    <servlet-name>xyz</servlet-name>
    <jsp-file>/input.html</jsp-file>
  </servlet>
IP Notes Created by Sumit Jaiswar
  <servlet-mapping>
    <servlet-name>xyz</servlet-name>
    <url-pattern>/test</url-pattern>
  </servlet-mapping>
</web-app>
try {
  // Code that may throw an exception
  let result = someFunction();
  console.log(result); // This line will not be executed if an exception occurs
} catch (error) {
  // Code to handle the exception
  console.error("An error occurred:", error.message);
} finally {
  // Code that will always be executed, whether there is an exception or not
  console.log("This will always be executed");
}
In this example:
    • The try block contains the code that might throw an exception, such as calling a
         function (someFunction() in this case).
    • If an exception occurs, the control is transferred to the catch block where the error
         object contains information about the exception.
    • The finally block contains code that will always be executed, regardless of whether
         an exception occurred or not.
Example:
function divideNumbers(a, b) {
 if (b === 0) {
   throw new Error("Cannot divide by zero");
 }
 return a / b;
IP Notes Created by Sumit Jaiswar
try {
 let result = divideNumbers(10, 2);
 console.log("Result:", result);
In this example:
    • The divideNumbers function is designed to throw an exception if the second
         parameter (b) is zero.
    • The first call to divideNumbers(10, 2) succeeds without an exception.
    • The second call to divideNumbers(8, 0) throws an exception, and the control goes to
         the catch block.
The output will be:
Result: 5
An error occurred: Cannot divide by zero
This will always be executed
This demonstrates how the try-catch statement allows you to handle exceptions and
execute fallback logic when errors occur. It's important to note that exceptions should be
used for exceptional cases, and not as a normal flow of control.
   2. Servlet Container:
            • The Servlet Container (or Servlet Engine) is part of the web server responsible
                for managing the lifecycle of servlets and handling their requests.
            • Common servlet containers include Apache Tomcat, Jetty, and others.
   3. Request and Response Objects:
            • Servlets receive requests from clients (usually browsers) and generate
                responses.
            • The HttpServletRequest object encapsulates the client's request, while the
                HttpServletResponse object represents the servlet's response.
   4. Web Container:
            • The Web Container is a part of the Servlet Container that manages the
                execution of servlets.
            • It handles the lifecycle of servlets, manages multiple threads, and provides
                services like security, deployment, and management.
   5. Servlet Interface:
            • The Servlet interface provides methods that allow the servlet to be
                initialized, handle requests, and be destroyed.
            • Key methods include init(), service(), and destroy().
Servlet Lifecycle:
The lifecycle of a servlet involves several stages, from instantiation to destruction. The
Servlet Container manages this lifecycle.
   1. Instantiation (Object Creation):
            • The servlet container creates an instance of the servlet class using its no-
                argument constructor.
            • The init() method is called to initialize the servlet. This method is called only
                once during the lifecycle.
   2. Initialization:
            • In the init() method, the servlet can perform tasks such as loading
                configuration parameters, establishing database connections, etc.
            • This method is called when the servlet is first created and not for each user
                request.
   3. Handling Requests:
            • The service() method is called by the servlet container to handle each client
                request.
            • The service() method receives ServletRequest and ServletResponse objects
                and processes the request.
   4. Request Handling (doGet(), doPost(), etc.):
            • The service() method typically dispatches the request to more specific
                methods like doGet() or doPost() based on the type of HTTP request.
   5. Destruction:
            • The destroy() method is called when the servlet is being taken out of service,
                such as during server shutdown or when the application is undeployed.
            • The servlet can perform cleanup tasks, close database connections, etc., in
                this method.
IP Notes Created by Sumit Jaiswar
      6. Servlet Recycling:
             • If the servlet container determines that a servlet needs to be removed from
                 service (due to inactivity or other factors), it calls the destroy() method, and
                 the servlet instance is garbage collected.
             • If a new request comes in for the same servlet, the container creates a new
                 instance and calls init() again.
Understanding the servlet architecture and lifecycle is crucial for developing efficient and
reliable web applications in Java.
Q. 10) An e-commerce website would like to accept the below mentioned data and would
like to transfer the data using XML,
    i. Product ID
   ii. Product Name
  iii. Product Cost
  iv.    Purchase Date
   v.    Purchased by
  vi.    Seller Name
Write the HTML, XML Code and DTD for the given data.
Ans)
Index.html__________________________________________________________________
<!DOCTYPE html>
<html>
<head>
  <title>E-commerce Data Form</title>
</head>
<body>
  <form method="post" action="process_data.php">
    <label for="productId">Product ID:</label>
    <input type="text" id="productId" name="productId" required><br>
data.xml____________________________________________________________________
e-commerce.dtd_____________________________________________________________
process_data.php____________________________________________________________
<?php
if ($_SERVER["REQUEST_METHOD"] == "POST") {
   // Collect data from the form
   $productId = $_POST["productId"];
   $productName = $_POST["productName"];
   $productCost = $_POST["productCost"];
   $purchaseDate = $_POST["purchaseDate"];
   $purchasedBy = $_POST["purchasedBy"];
   $sellerName = $_POST["sellerName"];
IP Notes Created by Sumit Jaiswar
  $product->appendChild($xmlDoc->createElement('productId', $productId));
  $product->appendChild($xmlDoc->createElement('productName', $productName));
  $product->appendChild($xmlDoc->createElement('productCost', $productCost));
  $product->appendChild($xmlDoc->createElement('purchaseDate', $purchaseDate));
  $product->appendChild($xmlDoc->createElement('purchasedBy', $purchasedBy));
  $product->appendChild($xmlDoc->createElement('sellerName', $sellerName));
  $root->appendChild($product);
  $xmlDoc->appendChild($root);
Q. 11) Explain how form validation works in PHP, with suitable example.
Ans)
Form validation in PHP involves checking user input for correctness and completeness
before processing the data. Proper form validation helps prevent issues like security
vulnerabilities, data integrity problems, and improves the overall user experience. Here's a
simple example of form validation in PHP:
HTML Form (index.html):
<!DOCTYPE html>
<html>
<head>
  <title>Form Validation Example</title>
</head>
<body>
  <form method="post" action="process_form.php">
    <label for="username">Username:</label>
    <input type="text" id="username" name="username" required><br>
    <label for="email">Email:</label>
IP Notes Created by Sumit Jaiswar
    <label for="password">Password:</label>
    <input type="password" id="password" name="password" required><br>
  // Validate username
  if (empty($username)) {
     $errors[] = "Username is required";
  } elseif (!preg_match("/^[a-zA-Z0-9_]+$/", $username)) {
     $errors[] = "Invalid username format";
  }
  // Validate email
  if (empty($email)) {
     $errors[] = "Email is required";
  } elseif (!filter_var($email, FILTER_VALIDATE_EMAIL)) {
     $errors[] = "Invalid email format";
  }
  // Validate password
  if (empty($password)) {
     $errors[] = "Password is required";
  } elseif (strlen($password) < 8) {
     $errors[] = "Password must be at least 8 characters long";
  }
} else {
   // Invalid request method
   header("HTTP/1.1 405 Method Not Allowed");
   echo "Method Not Allowed";
}
?>
Explanation:
    1. HTML Form:
            • The form collects data from the user, including username, email, and
                 password.
    2. PHP Form Processing:
            • The PHP script (process_form.php) is responsible for validating and
                 processing the form data.
            • It uses the $_POST superglobal to access the submitted form data.
    3. Validation:
            • The script performs various validation checks using conditional statements
                 and regular expressions.
            • If any validation errors are encountered, they are stored in the $errors array.
    4. Processing Data:
            • If there are no validation errors, the script proceeds to process the form data
                 (e.g., store it in a database). In this example, it simply echoes a message.
    5. Displaying Errors:
            • If validation errors exist, the script echoes a message indicating the errors.
This is a basic example, and in a real-world scenario, you might want to enhance validation,
implement additional security measures, and customize error messages based on specific
requirements.
Q. 12) Explain Basic Internet Protocols which are essential for transferring data and
sending emails.
Ans)
Several basic Internet protocols are essential for transferring data and sending emails. Here
are some of the key protocols:
IP Notes Created by Sumit Jaiswar
Q.13) Write the AJAX code to read from the text file and displaying it after clicking of
button.
Ans)
To read data from a text file and display it using AJAX (Asynchronous JavaScript and XML),
you can use the following example. In this example, I'll demonstrate using JavaScript and the
XMLHttpRequest object for simplicity. Note that in modern web development, you might
prefer using the Fetch API or other libraries like jQuery or axios for AJAX requests.
HTML (index.html):
<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <title>AJAX Example</title>
</head>
<body>
  <button onclick="loadText()">Load Text</button>
  <div id="output"></div>
  <script>
    function loadText() {
       var xhr = new XMLHttpRequest();
       // Define the file path (replace 'sample.txt' with your actual file path)
       var filePath = 'sample.txt';
       xhr.onreadystatechange = function() {
         if (xhr.readyState == 4 && xhr.status == 200) {
            // The responseText contains the content of the text file
            document.getElementById('output').innerHTML = xhr.responseText;
         }
IP Notes Created by Sumit Jaiswar
};
Q. 14) List and Explain the 3 ways to add style sheet (CSS) to an HTML web page with
suitable example.
Ans)
There are several ways to add stylesheets (CSS) to an HTML web page. Here are three
common methods:
    1. Inline Styles:
            • Inline styles are applied directly within the HTML element using the style
               attribute.
IP Notes Created by Sumit Jaiswar
Example:
<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <title>Inline Styles Example</title>
</head>
<body>
  <h1 style="color: blue; text-align: center;">Hello, World!</h1>
  <p style="font-size: 16px;">This is a paragraph with inline styles.</p>
</body>
</html>
    2. Internal Styles (Embedded Styles):
            • Internal styles are defined within the <style> tag in the <head> section of the
                HTML document.
Example:
<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <title>Internal Styles Example</title>
  <style>
     h1 {
       color: green;
       text-align: center;
     }
     p{
       font-size: 18px;
     }
  </style>
</head>
<body>
  <h1>Hello, World!</h1>
  <p>This is a paragraph with internal styles.</p>
</body>
</html>
    3. External Styles:
            • External styles involve placing the styles in a separate CSS file and linking it to
                the HTML document using the <link> element.
Example:
style.css:
/* style.css */
IP Notes Created by Sumit Jaiswar
h1 {
   color: red;
   text-align: center;
}
p{
   font-size: 20px;
}
index.html:
<!DOCTYPE html>
<html lang="en">
<head>
   <meta charset="UTF-8">
   <meta name="viewport" content="width=device-width, initial-scale=1.0">
   <title>External Styles Example</title>
   <link rel="stylesheet" href="style.css">
</head>
<body>
   <h1>Hello, World!</h1>
   <p>This is a paragraph with external styles.</p>
</body>
</html>
In the external styles example, the styles are stored in a separate file named style.css, and
the HTML file links to this file using the <link> element. This method promotes a clean
separation of HTML and CSS, making the code more modular and maintainable.
Q. 15) Create a form which has the following fields ‘Name’, ‘Age’, ‘Email ID’, ‘Password’.
Using Javascript validate each field as follows
    i.     Name should be between A-Z
   ii. Age should be between 0-100
  iii.     Email should contain ‘@’
  iv.      Password should contain 1 Upper case, 1 Digit, 1 Special character and length
           should be minimum 8
Ans)
HTML form with JavaScript validation for the specified criteria:
<!DOCTYPE html>
<html lang="en">
<head>
   <meta charset="UTF-8">
   <meta name="viewport" content="width=device-width, initial-scale=1.0">
   <title>Form Validation Example</title>
   <style>
       .error {
         color: red;
       }
IP Notes Created by Sumit Jaiswar
  </style>
</head>
<body>
  <h2>User Registration Form</h2>
  <form id="registrationForm" onsubmit="return validateForm()">
    <label for="name">Name:</label>
    <input type="text" id="name" name="name" required>
    <span id="nameError" class="error"></span><br>
    <label for="age">Age:</label>
    <input type="number" id="age" name="age" required>
    <span id="ageError" class="error"></span><br>
    <label for="password">Password:</label>
    <input type="password" id="password" name="password" required>
    <span id="passwordError" class="error"></span><br>
  <script>
    function validateForm() {
       // Reset error messages
       document.getElementById('nameError').innerHTML = "";
       document.getElementById('ageError').innerHTML = "";
       document.getElementById('emailError').innerHTML = "";
       document.getElementById('passwordError').innerHTML = "";
      // Validate Name
      if (!/^[a-zA-Z]+$/.test(name)) {
         document.getElementById('nameError').innerHTML = "Name should only contain
A-Z characters.";
         return false;
      }
IP Notes Created by Sumit Jaiswar
         // Validate Age
         if (isNaN(age) || age < 0 || age > 100) {
            document.getElementById('ageError').innerHTML = "Age should be between 0 and
100.";
             return false;
         }
         // Validate Email
         if (!/\S+@\S+\.\S+/.test(email)) {
            document.getElementById('emailError').innerHTML = "Invalid email format.";
            return false;
         }
         // Validate Password
         if (!/(?=.*[A-Z])(?=.*\d)(?=.*[!@#$%^&*()_+])/.test(password) || password.length <
8) {
         document.getElementById('passwordError').innerHTML = "Password should
contain 1 uppercase letter, 1 digit, 1 special character, and be at least 8 characters long.";
         return false;
      }
         // Form is valid
         alert("Form submitted successfully!");
         return true;
     }
   </script>
</body>
</html>
In this example:
    • The HTML form contains input fields for Name, Age, Email ID, and Password.
    • JavaScript function validateForm is called on form submission to perform validation.
    • Error messages are displayed if the validation criteria are not met.
    • The onsubmit attribute of the form is set to return validateForm() to trigger the
         validation function. If the form is valid, it returns true, allowing the form submission.
         If not, it returns false, preventing the form submission.
In JavaScript, a regular expression is defined using forward slashes (/). The syntax for
creating a regular expression literal is /pattern/flags, where:
    • pattern: The regular expression pattern that defines the search criteria.
    • flags: Optional flags that modify the behavior of the regular expression.
For example:
In this case:
    • abc is the regular expression pattern.
    • g is the global flag, indicating that the pattern should be applied globally across the
         entire string.
Enclosing the regular expression pattern between forward slashes is a common convention
in many programming languages. It helps distinguish regular expressions from other types of
strings.
Alternative to using the regular expression literal syntax, you can also create a regular
expression using the RegExp constructor:
/^[a-zA-Z]+$/
This regular expression literal checks whether a string consists of one or more (+) uppercase
or lowercase letters (a-z or A-Z) from the start (^) to the end ($). The forward slashes mark
the beginning and end of the regular expression literal.
Let's break down the regular expressions used in the JavaScript validation for each field:
    1. Name Validation:
           • /^[a-zA-Z]+$/
                  • ^: Asserts the start of the string.
                  • [a-zA-Z]+: Matches one or more (+) uppercase or lowercase letters (a-
                      z or A-Z).
                  • $: Asserts the end of the string.
           • Explanation: The name should only contain alphabetic characters (either
              uppercase or lowercase).
    2. Age Validation:
           • isNaN(age) || age < 0 || age > 100
                  • isNaN(age): Checks if the age is not a number.
                  • age < 0: Checks if the age is less than 0.
                  • age > 100: Checks if the age is greater than 100.
           • Explanation: The age should be a number between 0 and 100.
    3. Email Validation:
           • /\S+@\S+\.\S+/
                  • \S+: Matches one or more non-whitespace characters.
IP Notes Created by Sumit Jaiswar
Q. 16) Create an external Stylesheet and link it to an HTML form, the stylesheet should
contain the following,
   i. An header in text with Red Text Colour and Yellow background colour
  ii. A Double lined (Border) table
 iii. The table should have 5 Rows and 3 Columns
 iv.    In the First column Sr. No. of the product, Second Column Image with hyperlink
        and Name of the Product, and Third Column the description of the product
Ans)
external stylesheet (styles.css) and an HTML form linked to it. The stylesheet includes styling
for a header, a table with specified characteristics, and the required columns in the table.
/* Header styling */
header {
  color: red;
  background-color: yellow;
  padding: 10px;
  text-align: center;
}
IP Notes Created by Sumit Jaiswar
/* Table styling */
table {
  border-collapse: collapse;
  width: 100%;
}
table, th, td {
  border: 2px double black;
}
  <table>
    <thead>
      <tr>
        <th>Sr. No.</th>
        <th>Product Image & Name</th>
        <th>Description</th>
      </tr>
    </thead>
    <tbody>
      <tr>
        <td>1</td>
        <td><a href="#"><img src="product1.jpg" alt="Img 1"></a> Product 1</td>
        <td>Description of Product 1</td>
      </tr>
      <tr>
        <td>2</td>
        <td><a href="#"><img src="product2.jpg" alt="Img 2"></a> Product 2</td>
        <td>Description of Product 2</td>
      </tr>
      <tr>
IP Notes Created by Sumit Jaiswar
         <td>3</td>
         <td><a href="#"><img src="product3.jpg" alt="Img 3"></a> Product 3</td>
         <td>Description of Product 3</td>
      </tr>
      <tr>
         <td>4</td>
         <td><a href="#"><img src="product4.jpg" alt="Img 4"></a> Product 4</td>
         <td>Description of Product 4</td>
      </tr>
      <tr>
         <td>5</td>
         <td><a href="#"><img src="product5.jpg" alt="Img 5"></a> Product 5</td>
         <td>Description of Product 5</td>
      </tr>
    </tbody>
  </table>
</body>
</html>
Output:
                          Product Information
      Sr. No.        Product Image & Name                      Description
     1                Img1 Product 1                Description of Product 1
In this example:
    • The styles.css file contains styling rules for the header and table.
    • The HTML file (index.html) links to the external stylesheet using the <link> element.
    • The table is structured with 5 rows and 3 columns, with specific styling for each
         column.
    • Images in the second column are linked and styled to have a maximum width and
         height.
IP Notes Created by Sumit Jaiswar
Q. 17) Write a Javascript to check password and confirm password are same or not.
Ans)
JavaScript to check whether the password and confirm password fields in a form are the
same. Here's an example:
<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <title>Password Matching Example</title>
</head>
<body>
  <form id="passwordForm" onsubmit="validateForm()">
    <label for="password">Password:</label>
    <input type="password" id="password" name="password" required>
    <br>
  <script>
    function validateForm() {
       // Get password and confirm password values
       var password = document.getElementById('password').value;
       var confirmPassword = document.getElementById('confirmPassword').value;
   •   The HTML form has two password fields: one for the password and another for
       confirming the password.
   •   The JavaScript function validateForm is called when the form is submitted.
   •   Inside the function, it compares the values of the password and confirm password
       fields.
   •   If the passwords do not match, it displays an error with message ‘Password do not
       match’
   •   If the passwords match, it displays message ‘Password match’
Q. 18) What is Servlet and Explain Servlet Life Cycle with neat diagram.
Ans)
A Servlet in Java is a server-side technology used to extend the capabilities of web servers
by providing dynamic, content-rich web applications. Servlets are Java classes that handle
HTTP requests and generate responses dynamically. They adhere to the Java Servlet API
specification, which defines a set of interfaces and classes that servlets must implement or
extend.
The life cycle of a servlet describes the stages a servlet goes through from its instantiation to
its destruction. The Servlet life cycle is managed by the servlet container (like Apache
Tomcat). The key methods involved in the servlet life cycle are:
The life cycle of a servlet in Java consists of several stages, and understanding this life cycle
is crucial for developing servlet-based applications. Here is an explanation of the servlet life
cycle along with a simple diagram:
Servlet Life Cycle Stages:
     1. Loading:
             • When a web container like Tomcat starts or when a request for the servlet is
                 received for the first time, the servlet class is loaded into memory.
             • The init() method is called during the loading stage. This method is called
                 only once in the lifetime of a servlet and is used for one-time initialization
                 tasks.
     2. Initialization:
             • The init() method is responsible for initializing the servlet.
             • The servlet container calls this method after loading the servlet class.
             • It is typically used to perform tasks such as opening a database connection,
                 loading configuration parameters, etc.
     3. Request Handling:
             • Once initialized, the servlet can handle multiple requests concurrently.
             • For each request, a new thread is spawned by the servlet container to handle
                 that request.
             • The service() method is called for each request. It is responsible for
                 processing the request and generating the response.
IP Notes Created by Sumit Jaiswar
    4. Destroying:
          • When the servlet container decides to take the servlet out of service (e.g.,
             when shutting down or reloading the web application), it calls the destroy()
             method.
          • The destroy() method is used to perform cleanup tasks, such as closing
             database connections or releasing resources.
Diagram:
   +------------------------+
   | Servlet Class |
   +------------------------+
                |
                | (1) Load Servlet Class
                |
                V
+-------------------------------+
|            init()             |
| One-time initialization |
+-------------------------------+
               |
               | (2) Handle Requests
               |
               v
+-------------------------------+
|          service()            |
| Process each request |
+-------------------------------+
              |
              | (3) Unload Servlet
              v
+----------------------------------+
|           destroy()              |
| Cleanup and finalization |
+----------------------------------+
Explanation:
   1. Load Servlet Class:
          • The servlet class is loaded into memory when the web container starts or
             when the first request for the servlet is received.
   2. One-time Initialization (init()):
          • The init() method is called by the servlet container during the loading stage.
             It is responsible for one-time initialization tasks.
IP Notes Created by Sumit Jaiswar
Q. 19) What is AJAX? Explain AJAX Web Application model with neat diagram.
Ans)
    • AJAX Web application model uses JavaScript and XMLHttpRequest object for
       asynchronous data exchange. The JavaScript uses the XMLHttpRequest object to
       exchange data asynchronously over the client and server.
    • AJAX Web application model resolve the major problem of synchronous request-
       response model of communication associated with classical Web application model,
       which keeps the user in
       waiting state and does not
       provide the best user
       experience.
    • AJAX, a new approach to
       Web applications, which is
       based on several
       technologies that help in
       developing applications with
       better user experience. It
       uses JavaScript and XML as
       the main technology for
       developing interactive Web
       applications.
   •   Instead of loading the Web page at the beginning of the session, the browser loads
       the AJAX engine written in JavaScript.
   •   Every user action that normally would generate an HTTP request takes the form of a
       JavaScript call to the AJAX Engine.
   •   The server response comprises data and not the presentation, which implies that the
       data required by the client is provided by the server as the response, and
       presentation is implemented on that data with the help of markup language from
       Ajax engine.
   •   The JavaScript does not redraw all activities instead only updates the Web page
       dynamically.
   •   In JavaScript, it is possible to fill Web forms and click buttons even when the
       JavaScript has made a request to the Web server and the server is still working on
       the request in the background. When server completes its processing, code updates
       just the part of the page that has changed. This way client never has to wait around.
       That is the power of asynchronous requests.
   •   AJAX Engine between the client and the application, irrespective of the server, does
       asynchronous communication. This prevents the user from waiting for the server to
       complete its processing.
   •   The AJAX Engine takes care of displaying the UI and the interaction with the server
       on the user’s behalf.
   •   In traditional Web applications, the synchronous mode of communication existed
       between the client and the server as shown in following figure:
IP Notes Created by Sumit Jaiswar
   •   Since AJAX is essentially used for a partial update and asynchronous communication,
       the AJAX model used for programming and it is not restricted for use with specific
       data exchange format, specific programming language, or the specific
       communication mechanism.
   •   Above diagram clarify that every user action generates an HTTP request that takes
       the form of a JavaScript to call the AJAX engine.
   •   Responses to the user actions do not involve the trip back to the server as in the
       classical Web application model. Instead, the AJAX Engine handles on its own, such
       as data validation, some navigation and editing data in memory.
   •   If the AJAX Engine needs something from the server, like retrieving new data or
       loading additional interface code, then the engine makes the asynchronous
       interaction with the server using JavaScript and XMLHttpRequest object for
       asynchronous data exchange.
   •   The engine’s interaction with the server does not interrupt the user’s interaction
       with the application. In this way, the asynchronous communication is done with the
       help of the AJAX engine.
In this example:
    • The className attribute is used instead of class to set the CSS class of the div
         element. This is because class is a reserved keyword in JavaScript.
    • The id attribute sets the identifier of the div element.
    • The style attribute is used to set inline styles for the h1 element. Note that the style
         value is an object where CSS property names are camelCased.
    • The onChange attribute is used with the input element to define a function that will
         be called when the input value changes.
    • The disabled attribute on the button element is used to enable or disable the
         button.
    • The onClick attribute on the button element defines a function that will be called
         when the button is clicked.
Remember that JSX attributes are written in camelCase, similar to how they are in
JavaScript, and some attributes might have different names than their HTML counterparts
(e.g., className instead of class). The expressions inside curly braces {} allow you to embed
JavaScript expressions or variables within JSX.
   2. Root Element:
         • The outermost element that contains all other elements in the XML
             document.
<root>
  <!-- Other elements go here -->
</root>
   3. Elements:
          • Represent the structure of the data and can contain other elements,
              attributes, and text content.
<book>
 <title>Harry Potter and the Sorcerer's Stone</title>
 <author>J.K. Rowling</author>
</book>
   4. Attributes:
              • Provide additional information about elements and are written within the
                opening tag.
<book genre="fantasy">
 <!-- ... -->
</book>
   5. Text Content:
         • The actual data or information stored within an element.
    6. Comments:
             • Allow the inclusion of comments within the XML document.
<!-- This is a comment -->
    7. Processing Instructions:
             • Special instructions for applications processing the XML document.
  </book>
  <book>
    <title>To Kill a Mockingbird</title>
    <author>Harper Lee</author>
    <genre>fiction</genre>
    <published>1960</published>
  </book>
  <!-- Additional books go here -->
</library>
In this example:
    • The root element is <library>.
    • The <book> elements represent individual books, each with <title>, <author>,
         <genre>, and <published> child elements.
    • The XML declaration specifies the version and encoding of the XML document.
    • Comments (<!-- ... -->) provide human-readable explanations.
XML is commonly used for data interchange between systems, configuration files, and
representing hierarchical data structures. Its simplicity and extensibility make it a widely
adopted standard for various applications.
h1 {
IP Notes Created by Sumit Jaiswar
p{
  /* Inherits font-family and color from body */
}
.special {
   color: red; /* Overrides color inherited from body */
}
@keyframes slideIn {
   from {
      transform: translateX(-100%);
   }
   to {
      transform: translateX(0);
   }
}
     2. animation-name:
             • Specifies the name of the @keyframes rule that defines the animation.
.element {
   animation-name: slideIn;
}
     3. animation-duration:
             • Specifies the duration of the animation in seconds or milliseconds.
.element {
   animation-duration: 2s;
}
     4. animation-timing-function:
             • Defines how the animation progresses over time. It specifies the speed curve
               of the animation.
.element {
   animation-timing-function: ease-in-out;
}
IP Notes Created by Sumit Jaiswar
    5. animation-delay:
           • Specifies a delay before the animation starts.
.element {
   animation-delay: 1s;
}
    6. animation-iteration-count:
           • Defines the number of times an animation should run.
.element {
   animation-iteration-count: infinite;
}
    7. animation-direction:
           • Specifies whether the animation should play forward, backward, or alternate.
.element {
   animation-direction: alternate;
}
    8. animation-fill-mode:
           • Defines what values are applied by the animation outside the time it is
                executing.
.element {
   animation-fill-mode: forwards;
}
    9. animation-play-state:
           • Allows the control of whether the animation is running or paused.
.element {
   animation-play-state: running;
}
These properties, when used together, allow you to create smooth and visually appealing
animations in CSS. The @keyframes rule defines the animation steps, while the other
properties control the animation's duration, timing, delay, and other aspects.
Q. 23) Explain the steps to connect Java Application to Database using JDBC.
Ans)
Connecting a Java application to a database using JDBC (Java Database Connectivity)
involves several steps. JDBC is a Java-based API that allows Java applications to interact with
relational databases. Here are the general steps to connect a Java application to a database
using JDBC:
    1. Download and Include JDBC Driver:
            • Download the JDBC driver for the specific database you are using. Each
               database vendor provides its own JDBC driver.
            • Include the JDBC driver JAR file in your project's classpath. You can do this by
               adding it to your project's build path or placing it in the "lib" directory.
    2. Load JDBC Driver:
            • Load the JDBC driver using the Class.forName() method. This step is
               necessary to register the driver with the DriverManager.
IP Notes Created by Sumit Jaiswar
try {
   Class.forName("com.databasevendor.jdbc.Driver");
} catch (ClassNotFoundException e) {
   e.printStackTrace();
}
            • Replace "com.databasevendor.jdbc.Driver" with the actual driver class for
               your database.
    3. Create Database Connection:
            • Establish a database connection using the DriverManager.getConnection()
               method. You need to provide the database URL, username, and password.
String url =
"jdbc:your_database_type://your_database_host:your_port/your_database_name";
String username = "your_username";
String password = "your_password";
  while (resultSet.next()) {
    // Retrieve data from the result set
  }
} catch (SQLException e) {
   e.printStackTrace();
}
     6. Handle Results:
            • Process the results obtained from the executed queries.
     7. Close Resources:
            • Close the ResultSet, Statement, and Connection objects to release resources.
try {
   // Close ResultSet, Statement, and Connection
} catch (SQLException e) {
   e.printStackTrace();
}
            • Use try-with-resources or explicitly close the resources in a finally block.
Remember to handle exceptions appropriately in your code. Additionally, it's recommended
to use connection pooling for better performance in production environments.
Q. 24) Explain the features of PHP and Write a PHP Program to print Factorial of Number.
Ans)
PHP (Hypertext Preprocessor) is a server-side scripting language widely used for web
development. Here are some key features of PHP:
    1. Easy to Learn: PHP syntax is similar to C and other programming languages, making
        it easy for developers to learn and use.
    2. Open Source: PHP is open-source and freely available. It has a large and active
        community of developers contributing to its growth and improvement.
    3. Platform Independence: PHP is platform-independent, which means it can run on
        various operating systems such as Windows, Linux, macOS, etc.
    4. Web Integration: PHP is designed for web development and can be easily embedded
        into HTML. It is often used to create dynamic web pages.
    5. Database Support: PHP supports a wide range of databases, including MySQL,
        PostgreSQL, Oracle, and others. It facilitates easy database integration.
    6. Extensive Library Support: PHP has a vast collection of libraries and frameworks,
        such as Laravel, Symfony, and CodeIgniter, that help developers build robust and
        scalable applications.
    7. Security: PHP has built-in security features, and with proper coding practices,
        developers can create secure web applications. Additionally, it supports encryption
        and authentication mechanisms.
    8. Scalability: PHP applications can scale from small websites to large enterprise-level
        applications, making it suitable for various project sizes.
Now, let's write a simple PHP program to calculate the factorial of a number:
IP Notes Created by Sumit Jaiswar
<?php
function calculateFactorial($number) {
  if ($number == 0 || $number == 1) {
     return 1;
  } else {
     return $number * calculateFactorial($number - 1);
  }
}
In this example:
    • The calculateFactorial function is a recursive function to calculate the factorial of a
         given number.
    • We set the value of $number to 5 for demonstration purposes, but you can change it
         to any non-negative integer.
    • The result is then displayed using echo.
    7. Browser Integration:
           • In web development, browsers provide a built-in implementation of the
              DOM.
           • JavaScript can be used to access and manipulate the DOM in a web page,
              making it possible to create dynamic and interactive user interfaces.
    8. Traversal and Manipulation:
           • Developers can traverse the DOM tree to navigate through nodes and access
              their properties.
           • Nodes can be added, removed, or modified, enabling dynamic updates to the
              document.
    9. Event Handling:
           • The DOM enables the registration and handling of events, such as mouse
              clicks or keyboard input.
           • Events trigger specific actions, allowing developers to create responsive and
              interactive web applications.
In summary, the Document Object Model provides a structured and standardized way to
represent and interact with documents in web development. It plays a crucial role in
enabling the dynamic and interactive nature of modern web applications.
way to include multimedia content without relying on third-party plugins like Flash. Here's
an explanation of each element along with examples:
<audio> Element:
The <audio> element is used to embed audio content on a web page. It supports various
audio formats, and the browser will automatically choose the appropriate format based on
its capabilities. You can include multiple source elements to provide fallbacks for different
formats.
Example:
<!DOCTYPE html>
<html lang="en">
<head>
   <meta charset="UTF-8">
   <meta name="viewport" content="width=device-width, initial-scale=1.0">
   <title>Audio Example</title>
</head>
<body>
<audio controls>
  <source src="audio/sample.mp3" type="audio/mp3">
  <source src="audio/sample.ogg" type="audio/ogg">
  Your browser does not support the audio tag.
</audio>
</body>
</html>
In this example:
    • The controls attribute adds playback controls (play, pause, volume, etc.) to the audio
         player.
    • Two <source> elements provide different audio formats (mp3 and ogg). The browser
         will choose the first format it supports.
<video> Element:
The <video> element is used to embed video content on a web page. Like <audio>, it
supports multiple source elements to provide fallbacks for different video formats.
Example:
<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <title>Video Example</title>
</head>
<body>
IP Notes Created by Sumit Jaiswar
</body>
</html>
In this example:
     • The width and height attributes set the dimensions of the video player.
     • The controls attribute adds playback controls to the video player.
     • Two <source> elements provide different video formats (mp4 and webm). The
         browser will choose the first format it supports.
It's important to note that the actual supported formats may vary between browsers, so
providing fallbacks in multiple formats increases the likelihood that the content will be
playable across different platforms.
Q. 27) Write an external style and link it with HTML Code. The stylesheet should include
the following
    i. The web page will have the background image “img1.jpg”.
   ii. The table heading will have red background color.
  iii. Background color of alternate paragraphs are different.
  iv.   The hyperline on the webpage will not have underline.
Ans)
External stylesheet (style.css) that includes the specified styling rules. Additionally, a simple
HTML code that links to this stylesheet.
style.css (External Stylesheet):
/* Resetting default margin and padding */
body, h1, h2, p {
    margin: 0;
    padding: 0;
}
p:nth-child(odd) {
  background-color: #f0f0f0; /* Lighter Gray */
}
<h1>This is a Heading</h1>
  <table>
    <thead>
      <tr>
        <th>Table Heading 1</th>
        <th>Table Heading 2</th>
      </tr>
    </thead>
    <tbody>
      <tr>
        <td>Row 1, Cell 1</td>
        <td>Row 1, Cell 2</td>
      </tr>
      <tr>
        <td>Row 2, Cell 1</td>
IP Notes Created by Sumit Jaiswar
</body>
</html>
Output.
This is a Heading
Table Heading 1 Table Heading 2
Q. 28) Write code to process online Alumni information for your college. Create form to
get name, address, date of birth, and email id. Write Javascript code to validate the
following
   i. User has filled all the fields prior to form submission.
  ii. Valid email-id (with ‘@’ and ‘.’).
 iii. Age validation using DOB (>=22 years).
Ans)
HTML form that collects Alumni information and JavaScript code for validation. This
example includes checks for empty fields, a valid email format, and age validation based on
the date of birth.
index.html (Alumni Information Form):
<!DOCTYPE html>
<html lang="en">
<head>
   <meta charset="UTF-8">
   <meta name="viewport" content="width=device-width, initial-scale=1.0">
IP Notes Created by Sumit Jaiswar
    <label for="address">Address:</label>
    <textarea id="address" name="address" required></textarea>
  <script src="script.js"></script>
</body>
</html>
function validateForm() {
  var name = document.getElementById('name').value;
  var address = document.getElementById('address').value;
  var dob = document.getElementById('dob').value;
  var email = document.getElementById('email').value;
This JavaScript code is embedded directly in the HTML file for simplicity. However, in a
production environment, you may consider separating the JavaScript code into an external
file.
Q. 29) Create a well formed XML document to maintain Library catalogue. It should
contain the name of the book, author, publisher and year of publishing, format it in
tabular manner using XSLT.
Ans)
Below is an example of a well-formed XML document for a Library catalog and an
accompanying XSLT stylesheet to format it in a tabular manner.
<libraryCatalog>
   <book>
     <name>Introduction to Algorithms</name>
     <author>Thomas H. Cormen</author>
     <publisher>The MIT Press</publisher>
     <year>2009</year>
IP Notes Created by Sumit Jaiswar
  </book>
  <book>
     <name>Database Management Systems</name>
     <author>Raghu Ramakrishnan</author>
     <publisher>McGraw-Hill</publisher>
     <year>2002</year>
  </book>
  <!-- Add more book entries as needed -->
</libraryCatalog>
<xsl:template match="/">
 <html>
  <head>
   <style>
     table {
       border-collapse: collapse;
       width: 100%;
     }
     th, td {
       border: 1px solid #dddddd;
       text-align: left;
       padding: 8px;
     }
     th {
       background-color: #f2f2f2;
     }
   </style>
  </head>
  <body>
   <h2>Library Catalog</h2>
   <table>
     <tr>
       <th>Name</th>
       <th>Author</th>
       <th>Publisher</th>
       <th>Year of Publishing</th>
     </tr>
     <xsl:apply-templates select="libraryCatalog/book" />
   </table>
  </body>
IP Notes Created by Sumit Jaiswar
 </html>
</xsl:template>
<xsl:template match="book">
 <tr>
  <td><xsl:value-of select="name" /></td>
  <td><xsl:value-of select="author" /></td>
  <td><xsl:value-of select="publisher" /></td>
  <td><xsl:value-of select="year" /></td>
 </tr>
</xsl:template>
</xsl:stylesheet>
This XSLT stylesheet transforms the XML document into an HTML table, displaying the
library catalog information in a tabular format. You can apply this XSLT to the XML
document using a suitable XSLT processor or a web browser that supports XSLT processing.
   2. Global Objects:
         • Some built-in objects are available globally, meaning they can be accessed
             from anywhere in a JavaScript program without the need for explicit
             instantiation.
   3. Examples of Built-in Objects:
         • String Object: Provides methods for working with strings.
    4. Utility Objects:
             • In addition to data manipulation, JavaScript also has utility objects like Math
                 for mathematical operations and Date for handling dates.
    5. Custom Objects:
             • While built-in objects cover many common use cases, developers can also
                 create custom objects to encapsulate related data and functions according to
                 their specific needs.
Q. 3) What is session in servlet and list different ways to handle it.
Ans)
In Java Servlets, a session refers to a mechanism for maintaining state information about a
user across multiple requests and responses. It enables the server to recognize a specific
user and associate data with that user throughout their interaction with a web application.
Sessions are essential for storing user-specific information and maintaining continuity during
a user's visit to a website.
Different ways to handle sessions in Servlets:
    1. Cookies:
             • Description: Cookies are small pieces of data stored on the client's machine.
                 Servlets can use cookies to store a unique session identifier, allowing the
                 server to associate subsequent requests with the correct session.
IP Notes Created by Sumit Jaiswar
       <?php
        $globalVar = "I am a global variable";
         function myFunction() {
           global $globalVar;
           echo $globalVar; // Accessing the global variable inside a function
         }
       myFunction();
      ?>
   2. Local Scope:
          • Variables declared inside a function have a local scope. They are only
              accessible within that specific function.
      <?php
       function myFunction() {
         $localVar = "I am a local variable";
         echo $localVar;
       }
       myFunction();
       // echo $localVar; // This would result in an error as $localVar is not accessible
      outside the function.
      ?>
   3. Static Variables:
           • When a variable is declared as static inside a function, it retains its value
               between function calls. It has local scope but persists across different calls to
               the function.
      <?php
       function counter() {
         static $count = 0;
         $count++;
         echo $count;
       }
       counter(); // Outputs 1
       counter(); // Outputs 2
       counter(); // Outputs 3
      ?>
   4. Superglobal Variables:
         • PHP provides predefined global arrays known as superglobals that are
            accessible from any part of the script. Examples include $_GET, $_POST,
            $_SESSION, etc.
IP Notes Created by Sumit Jaiswar
<?php
 $userId = $_GET['id']; // Accessing a value from the superglobal $_GET array
 echo $userId;
?>
Understanding variable scope is crucial for writing maintainable and error-free PHP code.
Variables should be used in the appropriate scope to ensure proper data encapsulation and
avoid unintended side effects.
Q. 6) What is the use of XMLHttpRequest object? Explain methods that are used to send
request to server using AJAX.
Ans)
The XMLHttpRequest object is a core component of Asynchronous JavaScript and XML
(AJAX), a technique used to perform asynchronous communication between a web browser
and a web server. It allows web pages to dynamically update content without requiring a full
page reload. The XMLHttpRequest object is supported by modern web browsers and is a
key part of enabling asynchronous requests.
Use of XMLHttpRequest object: The primary use of the XMLHttpRequest object is to send
HTTP requests to a server and handle the server's response asynchronously. This enables
the development of dynamic and responsive web applications by fetching data or updating
parts of a web page without reloading the entire document.
Methods used to send requests to the server using AJAX:
    1. open(method, url, async, user, password) Method:
            • This method initializes a new request. It specifies the type of HTTP method
               (GET, POST, etc.), the URL to send the request to, and whether the request
               should be asynchronous (true for asynchronous, false for synchronous).
xhr.setRequestHeader('Content-Type', 'application/json');
   3. send(data) Method:
         • This method sends the actual HTTP request. For POST requests, data can be
            included in the request body.
       xhr.send();
       // or
       xhr.send(JSON.stringify({ key: 'value' }));
IP Notes Created by Sumit Jaiswar
   4. onreadystatechange Event:
         • This event is triggered whenever the readyState property of the
            XMLHttpRequest object changes. Developers can define a function to handle
            different states of the request, such as when the request is complete
            (readyState is 4) and the response is ready.
       xhr.onreadystatechange = function() {
         if (xhr.readyState == 4 && xhr.status == 200) {
           console.log(xhr.responseText);
         }
       };
   5. abort() Method:
         • This method aborts the current HTTP request.
xhr.abort();
                with limited bandwidth or when optimizing for faster data transfer. The
                reduced data size can contribute to improved application performance.
    5. Native JavaScript Support:
            • JSON is native to JavaScript, meaning JavaScript has built-in support for
                parsing and generating JSON data. This native support simplifies data
                handling in web applications, eliminating the need for additional libraries or
                parsers. In contrast, while XML is widely supported, processing XML data in
                JavaScript often requires additional steps and libraries.
In summary, JSON is preferred over XML in many web development scenarios due to its
readability, efficiency in data transfer, native support in JavaScript, and a more natural
representation of data structures. However, the choice between JSON and XML may also
depend on specific project requirements, existing infrastructure, and interoperability needs.
  <%
    // Get the current date and time
    Date currentDate = new Date();
</body>
</html>
IP Notes Created by Sumit Jaiswar
In this example:
    1. The java.util.Date class is imported to work with date and time.
    2. The Date class is used to get the current date and time.
    3. The SimpleDateFormat class is used to format the date and time according to a
         specified pattern ("dd-MM-yyyy HH:mm:ss" in this case).
    4. The formatted date is then displayed on the JSP page using <%= formattedDate %>.
Save this code in a .jsp file and deploy it to a servlet container or application server that
supports JSP, such as Apache Tomcat. When you access the JSP page in a web browser, it
will display the current system date and time.
    7. Reusable Components:
           • React encourages the creation of reusable components, which can be shared
               and composed to build complex UIs. This modularity improves code
               organization and maintainability.
    8. React Router:
           • React Router is a library for handling navigation and routing in React
               applications. It enables the creation of single-page applications with multiple
               views, allowing for a more seamless user experience.
    9. State Management (Context API):
           • React provides a Context API that allows for efficient state management and
               sharing state between components without the need for props drilling. This is
               particularly useful for managing global state in large applications.
    10. Ecosystem and Community:
           • React has a vibrant ecosystem and a large, active community. There is an
               extensive set of libraries, tools, and resources available to complement and
               enhance React development.
These features collectively contribute to React's popularity and its effectiveness in building
scalable and maintainable web applications.
   6. Session Tracking:
           • Cookies are often used for session tracking. A unique session identifier stored
               in a cookie allows the server to associate subsequent requests with the
               correct session, enabling the maintenance of user-specific information across
               multiple pages.
While cookies are a widely used mechanism for maintaining state in web applications, it's
important to note that they have some limitations, such as limited storage capacity and
potential security concerns. Additionally, privacy regulations may impact how cookies are
used and stored.