fetch是一种HTTP数据请求的方式。fetch不是ajax的进一步封装,是原生js。Fetch函数就是原生js,没有使用XMLHttpRequest对象,是一个全局方法。
fetch
规范与 jQuery.ajax()
主要有三种方式的不同:
fetch()
返回的 Promise 不会被标记为 reject, 即使响应的 HTTP 状态码是 404 或 500。相反,它会将 Promise 状态标记为 resolve (但是会将 resolve 的返回值的 ok
属性设置为 false ),仅当网络故障时或请求被阻止时,才会标记为 reject。fetch()
不会接受跨域 cookies;你也不能使用 fetch()
建立起跨域会话。其他网站的 Set-Cookies
头部字段将会被无视。fetch
不会发送 cookies。除非你使用了credentials 的初始化选项。(自 2017 年 8 月 25 日以后,默认的 credentials 政策变更为 same-origin
。Firefox 也在 61.0b13 版本中进行了修改)一个基本的 fetch 请求设置起来很简单。看看下面的代码:
fetch('http://example.com/movies.json')
.then(function(response) {
return response.json();
})
.then(function(myJson) {
console.log(myJson);
});
结果返回一个Promise 对象
返回的结果不能直接用,要用到response.json()转化,这个函数返回的结果还是一个Promise对象于是就有上边看到的情况。
fetch()
接受第二个可选参数,一个可以控制不同配置的 init
对象:// Example POST method implementation:
postData('http://example.com/answer', {answer: 42})
.then(data => console.log(data)) // JSON from `response.json()` call
.catch(error => console.error(error))
function postData(url, data) {
// Default options are marked with *
return fetch(url, {
body: JSON.stringify(data), // must match 'Content-Type' header
cache: 'no-cache', // *default, no-cache, reload, force-cache, only-if-cached
credentials: 'same-origin', // include, same-origin, *omit
headers: {
'user-agent': 'Mozilla/4.0 MDN Example',
'content-type': 'application/json'
},
method: 'POST', // *GET, POST, PUT, DELETE, etc.
mode: 'cors', // no-cors, cors, *same-origin
redirect: 'follow', // manual, *follow, error
referrer: 'no-referrer', // *client, no-referrer
})
.then(response => response.json()) // parses response to JSON
}
配置参数查看地址
https://developer.mozilla.org/zh-CN/docs/Web/API/WindowOrWorkerGlobalScope/fetch
更多详细内容
https://developer.mozilla.org/zh-CN/docs/Web/API/Fetch_API/Using_Fetch