在 JS 中如何使用 Ajax 来进行请求
在JavaScript中,可以使用原生的XMLHttpRequest
对象或者现代的fetch
API来实现Ajax请求。以下是使用这两种方法的示例代码。
使用XMLHttpRequest
的示例:
var xhr = new XMLHttpRequest();
xhr.open("GET", "your-api-endpoint", true);
xhr.onreadystatechange = function() {
if (xhr.readyState == 4 && xhr.status == 200) {
var response = xhr.responseText;
// 处理响应数据
console.log(response);
}
};
xhr.send();
使用fetch
API的示例:
fetch("your-api-endpoint")
.then(response => response.text())
.then(data => {
console.log(data);
})
.catch(error => console.error('Error:', error));
fetch
API 是现代浏览器中推荐的方式,它提供了更好的语义和更灵活的使用方式。
评论已关闭