js原生方式发送http请求
在现代浏览器中,可以使用fetch
API来发送HTTP请求。以下是一个使用fetch
发送GET和POST请求的例子:
// 发送GET请求
fetch('https://api.example.com/data', {
method: 'GET',
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));
// 发送POST请求
fetch('https://api.example.com/data', {
method: 'POST',
headers: {
'Content-Type': 'application/json',
},
body: JSON.stringify({ key: 'value' }),
})
.then(response => response.json())
.then(data => console.log(data))
.catch(error => console.error('Error:', error));
如果需要支持旧版浏览器,可以使用XMLHttpRequest
:
// 发送GET请求
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();
// 发送POST请求
var xhr = new XMLHttpRequest();
xhr.open('POST', 'https://api.example.com/data', true);
xhr.setRequestHeader('Content-Type', 'application/json');
xhr.onreadystatechange = function () {
if (xhr.readyState === 4 && xhr.status === 200) {
var response = JSON.parse(xhr.responseText);
console.log(response);
}
};
xhr.send(JSON.stringify({ key: 'value' }));
请注意,在实际生产环境中,你可能需要处理更多的错误情况和响应状态码,并且可能还需要处理跨域请求等问题。
评论已关闭