XMLHttpRequest
Network Requests: XMLHttpRequest
What is XMLHttpRequest?
View Answer:
Why is XMLHttpRequest used?
View Answer:
Is XMLHttpRequest synchronous or asynchronous?
View Answer:
What are the steps involved in making an XMLHttpRequest?
View Answer:
// Step 1: Create a new XMLHttpRequest object
let xhr = new XMLHttpRequest();
// Step 2: Initialize a request
xhr.open('GET', 'https://api.example.com/data');
// Step 3: Set the responseType if you are expecting a specific data type
xhr.responseType = 'json';
// Step 4: Send the request
xhr.send();
// Step 5: Event handler for the request
xhr.onload = function() {
    if (xhr.status == 200) { // If the HTTP status is 200 OK
        console.log(xhr.response);
    } else {
        console.error('Error: ' + xhr.status); // e.g. 'Error: 404'
    }
}
// Step 6: Handle network errors
xhr.onerror = function() {
    console.error('Network Error');
};
Remember that XMLHttpRequest is a way to make HTTP requests, but it is not the only way. The Fetch API provides a more modern and powerful alternative to the XMLHttpRequest object, and it's recommended for new projects if it's supported in your target browsers.
What does the open() method do in XMLHttpRequest?
View Answer:
- Here's a simple example
// Step 1: Create a new XMLHttpRequest object
let xhr = new XMLHttpRequest();
// Step 2: Initialize a request
xhr.open('GET', 'https://api.example.com/data');
// Here, the open() method is used to initialize a GET request to 'https://api.example.com/data'.
- Here's an example using the optional parameters
let xhr = new XMLHttpRequest();
// Initialize a request with user credentials and set it to be handled asynchronously
xhr.open('GET', 'https://api.example.com/data', true, 'username', 'password');
In the example above, the open() method initializes a GET request to 'https://api.example.com/data', to be handled asynchronously, with the username 'username' and password 'password'.
What is the purpose of the send() method in XMLHttpRequest?
View Answer:
// Step 1: Create a new XMLHttpRequest object
let xhr = new XMLHttpRequest();
// Step 2: Initialize a request
xhr.open('GET', 'https://api.example.com/data');
// Step 3: Send the request
xhr.send();
In the example above, after the request is set up with xhr.open(), it is sent to the server with xhr.send().
If you're making a POST request or otherwise need to send data to the server as part of the request, you can pass that data as a parameter to the send() method:
// Step 1: Create a new XMLHttpRequest object
let xhr = new XMLHttpRequest();
// Step 2: Initialize a request
xhr.open('POST', 'https://api.example.com/data');
// Step 3: Set appropriate headers for POST request
xhr.setRequestHeader("Content-Type", "application/json");
// Step 4: Prepare the data
let data = JSON.stringify({ key1: 'value1', key2: 'value2' });
// Step 5: Send the request with data
xhr.send(data);
In this POST request example, xhr.setRequestHeader() is used to set the content type of the request to 'application/json', and then the send() method is used to send a JSON string to the server.
How do you handle the server response from an XMLHttpRequest?
View Answer:
let xhr = new XMLHttpRequest();
xhr.open('GET', 'https://api.example.com/data', true);
xhr.onreadystatechange = function() {
  if (xhr.readyState === 4 && xhr.status === 200) {
    // Request completed and response received
    var response = xhr.responseText;
    console.log('Response: ' + response);
  }
};
xhr.send();
Can you explain the readyState property in XMLHttpRequest?
View Answer:
Here's an example of how to use the readyState property in XMLHttpRequest:
let xhr = new XMLHttpRequest();
xhr.open('GET', 'https://api.example.com/data', true);
xhr.onreadystatechange = function() {
  if (xhr.readyState === 4 && xhr.status === 200) {
    // Request completed and response received
    var response = xhr.responseText;
    console.log('Response: ' + response);
  }
};
xhr.send();
In this example, the onreadystatechange event is used to track the changes in the readyState property. When readyState reaches the value of 4 (DONE) and the HTTP status is 200 (OK), the request is completed, and the response can be accessed through responseText.
What does the status property in XMLHttpRequest represent?
View Answer:
const xhr = new XMLHttpRequest();
console.log("UNSENT: ", xhr.status);
xhr.open("GET", "/server");
console.log("OPENED: ", xhr.status);
xhr.onprogress = () => {
  console.log("LOADING: ", xhr.status);
};
xhr.onload = () => {
  console.log("DONE: ", xhr.status);
};
xhr.send();
/**
 * Outputs the following:
 *
 * UNSENT: 0
 * OPENED: 0
 * LOADING: 200
 * DONE: 200
 */
What does the responseText property represent in XMLHttpRequest?
View Answer:
// If specified, responseType must be empty string or "text"
xhr.responseType = "text";
What is the difference between responseText and responseXML in XMLHttpRequest?
View Answer:
// Create a new XMLHttpRequest object
let xhr = new XMLHttpRequest();
// Initialize a request
xhr.open('GET', 'https://api.example.com/data.xml'); // Assuming the server returns XML data
// Send the request
xhr.send();
// Event handler for successful request
xhr.onload = function() {
    if (xhr.status == 200) { // If the HTTP status is 200 OK
        console.log(xhr.responseText); // Access the response data as plain text
        if(xhr.responseXML) {
            console.log(xhr.responseXML.getElementsByTagName("tagname")); // Access the XML data
        } else {
            console.log("The response is not XML");
        }
    } else {
        console.error('Error: ' + xhr.status);
    }
}
// Event handler for network error
xhr.onerror = function() {
    console.error('Network Error');
};
In this example, xhr.responseText will log the XML data as a string. If the server returned valid XML data, xhr.responseXML will parse the XML into a document object, which you can then traverse using DOM methods. If the response is not XML or is not correctly formatted, responseXML will be null.
How can you handle errors in XMLHttpRequest?
View Answer:
Here's an example of how to handle errors in XMLHttpRequest:
var xhr = new XMLHttpRequest();
xhr.open('GET', 'https://api.example.com/data', true);
xhr.onerror = function() {
  console.log('Error occurred during the request.');
};
xhr.onreadystatechange = function() {
  if (xhr.readyState === 4) {
    if (xhr.status === 200) {
      // Request completed successfully
      var response = xhr.responseText;
      console.log('Response: ' + response);
    } else {
      // Request failed
      console.log('Error: ' + xhr.status);
    }
  }
};
xhr.send();
In this example, the onerror event handler is set to handle any error that occurs during the request. In the onreadystatechange event, we check if the request is completed (readyState equals 4) and then verify the status code. If the status is 200 (OK), the request is successful and the response can be processed. Otherwise, an error is logged with the corresponding status code.
Can you abort an XMLHttpRequest? How?
View Answer:
// Create a new XMLHttpRequest object
let xhr = new XMLHttpRequest();
// Initialize a request
xhr.open('GET', 'https://api.example.com/data');
// Send the request
xhr.send();
// Abort the request
xhr.abort();
// Event handler for abort event
xhr.onabort = function() {
    console.log('Request aborted');
}
What are the limitations of XMLHttpRequest?
View Answer:
What is the Same Origin Policy in the context of XMLHttpRequest?
View Answer:
How can you send data to the server using XMLHttpRequest?
View Answer:
Can you send a GET request with XMLHttpRequest?
View Answer:
Can you send POST requests with XMLHttpRequest?
View Answer:
What's the role of HTTP headers in XMLHttpRequest?
View Answer:
Can you modify HTTP headers in XMLHttpRequest? How?
View Answer:
Here's an example of how you can modify HTTP headers in an XMLHttpRequest:
var xhr = new XMLHttpRequest();
xhr.open('GET', 'https://api.example.com/data', true);
xhr.setRequestHeader('Content-Type', 'application/json');
xhr.setRequestHeader('Authorization', 'Bearer your-token');
xhr.send();
In this example, 'Content-Type' is set to 'application/json', indicating that the request is sending JSON data. The 'Authorization' header is set with a Bearer token for authentication.
Can you briefly explain the purpose of the XMLHttpRequest object?
View Answer:
What are the two modes of operation that an XMLHttpRequest supports?
View Answer:
Syntax: xhr.open(method, URL, [async, user, password]);
How do you open a connection and send a XMLHttpRequest to the server?
View Answer:
Syntax: xhr.send([body]);
Here's an example of opening a connection and sending an XMLHttpRequest to the server using JavaScript:
// Create an XMLHttpRequest object
var xhr = new XMLHttpRequest();
// Define the request method and URL
xhr.open('GET', 'https://api.example.com/data', true);
// Set optional request headers
xhr.setRequestHeader('Content-Type', 'application/json');
// Set a callback function to handle the response
xhr.onload = function() {
  if (xhr.status === 200) {
    // Request was successful
    var response = JSON.parse(xhr.responseText);
    console.log(response);
  } else {
    // Request failed
    console.log('Error: ' + xhr.status);
  }
};
// Send the request
xhr.send();
In this example, a GET request is sent to the URL https://api.example.com/data. The onload function handles the response when it is received. You can modify the method (e.g., POST, PUT) and the URL based on your specific needs.
What are the three events most widely used in XMLHttpRequests?
View Answer:
Syntax: xhr.send([body]);
xhr.onload = function () {
  console.log(`Loaded: ${xhr.status} ${xhr.response}`);
};
xhr.onerror = function () {
  // only triggers if the request couldn't be made at all
  console.log(`Network Error`);
};
xhr.onprogress = function (event) {
  // triggers periodically
  // event.loaded - how many bytes downloaded
  // event.lengthComputable = true if the server sent Content-Length header
  // event.total - total number of bytes (if lengthComputable)
  console.log(`Received ${event.loaded} of ${event.total}`);
};
What properties can we use to access the results of a XMLHttpRequest?
View Answer:
Here's an example of accessing the results of a XMLHttpRequest using JavaScript:
var xhr = new XMLHttpRequest();
xhr.open('GET', 'https://api.example.com/data', true);
xhr.onload = function() {
  if (xhr.status === 200) {
    // Access the response as a string
    var responseText = xhr.responseText;
    console.log(responseText);
    
    // Access the response as an XML document
    var responseXML = xhr.responseXML;
    console.log(responseXML);
    
    // Access the HTTP status code and status message
    var status = xhr.status;
    var statusText = xhr.statusText;
    console.log('Status: ' + status);
    console.log('Status Text: ' + statusText);
  } else {
    console.log('Error: ' + xhr.status);
  }
};
xhr.send();
In this example, after the request is sent, the onload function is triggered upon a successful response. You can access the response using responseText as a string or responseXML if the response is XML. The HTTP status code and status message can be accessed through status and statusText, respectively.
What are the states of the XMLHttpRequest?
View Answer:
Syntax: xhr.readyState
xhr.onreadystatechange = function () {
  if (xhr.readyState == 3) {
    // loading
  }
  if (xhr.readyState == 4) {
    // request finished
  }
};
What method do we use to terminate a XMLHttpRequest?
View Answer:
Here's an example of how to terminate a XMLHttpRequest using the abort() method:
var xhr = new XMLHttpRequest();
xhr.open('GET', 'https://api.example.com/data', true);
// Set a timeout to abort the request after 5 seconds
var timeout = setTimeout(function() {
  xhr.abort();
  console.log('Request aborted due to timeout');
}, 5000);
xhr.onload = function() {
  clearTimeout(timeout);
  if (xhr.status === 200) {
    // Handle the successful response
    console.log('Request completed successfully');
  } else {
    // Handle the response error
    console.log('Error: ' + xhr.status);
  }
};
// Send the request
xhr.send();
In this example, a timeout of 5 seconds is set using setTimeout(). If the request does not complete within the specified time, the abort() method is called to terminate the request. The timeout is cleared using clearTimeout() in the onload event to prevent the abort when the request completes successfully.
What is the mode if the open() methods async parameter sets to false?
View Answer:
Syntax: xhr.open('GET', '/article/xmlhttprequest/hello.txt', false)
let xhr = new XMLHttpRequest();
xhr.open('GET', '/article/xmlhttprequest/hello.txt', false); // <-
try {
  xhr.send();
  if (xhr.status != 200) {
    console.log(`Error ${xhr.status}: ${xhr.statusText}`);
  } else {
    console.log(xhr.response);
  }
} catch (err) {
  // instead of onerror
  console.log('Request failed');
}
Can you send custom headers via an XMLHttpRequest to a server?
View Answer:
What does the setRequestHeader() method do?
View Answer:
Syntax: xhr.setRequestHeader(name, value)
xhr.setRequestHeader('Content-Type', 'application/json');
Is there any restriction on the Headers in an XMLHttpRequest?
View Answer:
Here's an example of how to set custom headers using the setRequestHeader() method in an XMLHttpRequest:
var xhr = new XMLHttpRequest();
xhr.open('GET', 'https://api.example.com/data', true);
// Set custom headers
xhr.setRequestHeader('Authorization', 'Bearer token123');
xhr.setRequestHeader('X-Custom-Header', 'Custom Value');
xhr.onload = function() {
  if (xhr.status === 200) {
    // Handle the successful response
    console.log('Request completed successfully');
  } else {
    // Handle the response error
    console.log('Error: ' + xhr.status);
  }
};
// Send the request
xhr.send();
In this example, two custom headers are set: Authorization with a bearer token value and X-Custom-Header with a custom value. These headers will be sent with the XMLHttpRequest request to the server.
Can you explain the function of the getResponseHeader() method?
View Answer:
xhr.getResponseHeader('Content-Type');
Can you explain the function of the getAllResponseHeader() method?
View Answer:
Cache-Control: max-age=31536000
Content-Length: 4260
Content-Type: image/png
Date: Sat, 08 Sep 2012 16:53:16 GMT
Because the line break between headers is always "\r\n" (regardless of operating system), we can simply divide it into independent headers. A colon followed by a space ": " is always used as a separator between the name and the value. That is specified in the standard. So, if we want to acquire an object with name/value pairs, we'll need to use some JS.
let headers = xhr
  .getAllResponseHeaders()
  .split('\r\n')
  .reduce((result, current) => {
    let [name, value] = current.split(': ');
    result[name] = value;
    return result;
  }, {});
// headers['Content-Type'] = 'image/png'
What built-in object can we use to make a POST request?
View Answer:
<script>
  // creates an object
  let formData = new FormData([form]);
  formData.append(name, value); // appends a field
</script>
<form name="person">
  <input name="name" value="John" />
  <input name="surname" value="Smith" />
</form>
<script>
  /*** FILL FROM <FORM> EXAMPLE ***/
  let formData = new FormData(document.forms.person);
  // add one more field
  formData.append('middle', 'Lee');
  // send it out
  let xhr = new XMLHttpRequest();
  xhr.open('POST', '/article/xmlhttprequest/post/user');
  xhr.send(formData);
  xhr.onload = () => console.log(xhr.response);
</script>
Is there a way to track upload progress with an XMLHttpRequest?
View Answer:
<input type="file" onchange="upload(this.files[0])" />
<script>
  function upload(file) {
    let xhr = new XMLHttpRequest();
    // track upload progress
    xhr.upload.onprogress = function (event) {
      console.log(`Uploaded ${event.loaded} of ${event.total}`);
    };
    // track completion: both successful or not
    xhr.onloadend = function () {
      if (xhr.status == 200) {
        console.log('success');
      } else {
        console.log('error ' + this.status);
      }
    };
    xhr.open('POST', '/article/xmlhttprequest/post/upload');
    xhr.send(file);
  }
</script>
How do cross-origin request function in relation to XMLHttpRequest?
View Answer:
Here's an example of making a cross-origin request using XMLHttpRequest with CORS:
var xhr = new XMLHttpRequest();
xhr.open('GET', 'https://api.example.com/data', true);
// Set CORS headers to allow cross-origin request
xhr.setRequestHeader('Origin', 'https://www.example.com');
xhr.onload = function() {
  if (xhr.status === 200) {
    // Handle the successful response
    console.log('Request completed successfully');
    var response = xhr.responseText;
    console.log(response);
  } else {
    // Handle the response error
    console.log('Error: ' + xhr.status);
  }
};
// Send the request
xhr.send();
In this example, a GET request is made to https://api.example.com/data from the origin https://www.example.com. The server needs to include appropriate CORS headers (such as Access-Control-Allow-Origin) to allow the cross-origin request to succeed. Without proper CORS configuration, the request may be blocked due to the same-origin policy.