温故而知新,这篇文章是对我在学习笔记(5)中关于fetch的一次重新整理。
异步请求与Fetch
setTimeout的延迟时间,是从什么时间段开始算起的?
关于async/await、promise和setTimeout执行顺序
ajax:
本质是用xhr对象请求数据
fetch是window全局对象的一个方法,替换笨重繁琐XMLHttpRequest.它有了Request 和 Response 以及Headers对象的概念,与后端语言请求资源更接近
它的主要特点是:
const url='https://www.baidu.com';
const opt={
method:'get',
// 设置是否发送cookie,可设置same-origin,或者omit
credentials:'include',
mode:'cors',
heads:{
// 允许接收的编码类型
Accept:'application/json',
// 发送给接收者的实体正文媒体类型
'Content-Type': 'application/json; charset=utf-8',
}
};
const checkStatus=(response)=>{
const {status}=response;
if (status>=200&&status<300){
return response;
}
const error=new Error(response.statusText);
error.response = response;
throw error;
};
/**
* 读取 Response对象并且将它设置为已读(因为Responses对象被设置为了 stream 的方式,所以它们只能被读取一次) ,并返回一个被解析为JSON格式的promise对象。
* 如果需要对json和response分别进行判断(通常取决于后端接口定义格式),则可以在这一步进行拆分:见第二段代码
*以上参考了MDN
* @param response
*/
const parseJSON=(response)=>{
// 一个http响应,并不是真的json
return response.json();
};
fetch(url,opt).then(checkStatus).then(parseJSON).then((data)=>{
console.info(data);
}).catch((err)=>{
console.info(err);
})
fetch(url,opt).then(checkStatus).then(res=>res.json().then(json)=>({json,res}).then(({json,res})=>{
// 根据json 或者 res中的状态码或者信息进行一些错误提示等
//console.info(data);
}).catch((err)=>{
console.info(err);
})
references:
fetch超时设置和终止请求
在使用XMLHttpRequest可以设置请求超时时间,可是转用Fetch后,超时时间设置不见了,在网络不可靠的情况下,超时设置往往很有用.
了解xhr.timeout参考MDN
// 可以在Chrome控制台输入下面的代码,然后设置network为slow3g即能看到超时结果。
let timeoutPromise = (timeout) => {
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve("请求超时");
}, timeout);
});
}
let requestPromise = (url,opt) => {
return fetch(url,opt);
};
Promise.race([timeoutPromise(1000), requestPromise("https://www.baidu.com")])
.then(resp => {
console.log(resp);
})
.catch(error => {
console.log(error);
});
另外对于开源的 fetch-timeout
下面看一下核心代码:
function timeoutPromise(promise, timeout, error) {
return new Promise((resolve, reject) => {
setTimeout(() => {
reject(error);
}, timeout);
//1
promise.then(resolve, reject); //2
});
}
module.exports = function fetchTimeout(url, options, timeout, error) {
error = error || 'Timeout error';
options = options || {};
timeout = timeout || 10000;
return timeoutPromise(fetchPromise(url, options), timeout, error);
};
对于setTimeout而言,如果有延迟,那么意味着程序执行到setTimeout就开始计时,并在delay后将事件加入任务队列.揣则这里代码的含义是fetch请求和setTimeout哪个先执行。。。
async function async1() {
console.log("async1 start");
await async2();
console.log("async1 end");
}
async function async2() {
console.log( 'async2');
}
console.log("script start");
setTimeout(function () {
console.log("settimeout");
},0);
async1();
new Promise(function (resolve) {
console.log("promise1");
resolve();
}).then(function () {
console.log("promise2");
});
console.log('script end');
注意async函数的特点:
所以也有两点我犯的错误在图中标注出来:
另外可以参考这张运行图: