在学习AJAX阶段,我们通常会使用JavaScript内置的XMLHttpRequest
对象或者现代的fetch
API来发送异步的HTTP请求。以下是使用这两种方式的简单示例:
使用XMLHttpRequest
的示例:
var xhr = new XMLHttpRequest();
xhr.open("GET", "https://api.example.com/data", true);
xhr.onreadystatechange = function () {
if (xhr.readyState == 4 && xhr.status == 200) {
// 请求成功
var response = JSON.parse(xhr.responseText);
console.log(response);
}
};
xhr.send();
使用fetch
API的示例:
fetch("https://api.example.com/data")
.then(response => {
if (response.ok) {
return response.json();
}
throw new Error('Network response was not ok.');
})
.then(data => {
console.log(data);
})
.catch(error => {
console.error('There has been a problem with your fetch operation:', error);
});
这两种方式都可以用来发送异步的HTTP请求,fetch
API是现代的方法,它提供了更好的异步流和错误处理,而XMLHttpRequest
是较旧的方式,但在所有现代浏览器中都得到支持。