目录
一)同步与异步
二、promise
1、出现原因:
2、promise注意事项:
3、promise.all()使用。
三)async和await。
一)同步与异步
1、同步:当第一个任务完成之后再去完成第二个任务。(等着水开了,再去切菜)
2、异步:第一个请求发出之后,在其没有完成的期间同时进行第二个任务。(烧水的过程中切菜)
二、promise
1、出现原因:
由于js是单线程语言,下面代码尽管setTimeout在上,但是setTimeout是同步的,所以仍然会先输出下面的2。
setTimeout((
console.log(1)
),1000)
console.log(2)
使用promise就会实现异步操作。
下面代码会过0.5秒输出1,再过1秒输出2
new Promise((resolve, reject) => {
setTimeout(() => {
console.log(1)
}, 500)
resolve() //不写不会进入then中的逻辑
})
.then((res) => {
setTimeout(() => {
console.log(2)
}, 1000)
})
.catch((err)=>{
console.log('fail')
)
},
2、promise注意事项:
??????? 1、new promise(()=>{})里面参数为箭头函数
??????? 2、箭头函数的第一个参数是resolve是代码执行成功之后执行的代码。reject是拒绝后执行的代码
??????? 3、主代码执行之后,要是想接着执行必须写resolve()才能进入then中的逻辑
3、promise.all()使用。
??????? 用于数据上传之后的消息返回
let a1=new Promise((res,rej)=>{
console.log(1)
res('1好')
})
let a2=new Promise((res,rej)=>{
console.log(2)
res('1好')
})
let a3=new Promise((res,rej)=>{
console.log(3)
res('1好')
})
//参数是一个数组,每个元素都是promise对象
Promise.all([a1,a2,a3])
.then((res)=>{
console.log('全部完成')
console.log(res) //res的结果就是每个对象的res中传入的数据
})
.catch((res)=>{
console.log('执行失败')
})
三)async和await。
??????? 说明:同样是解决异步操作,promise是ES6语法,async和await是ES7语法
?1、返回值是promise对象。
2、在使用异步的操作前+await,函数写async关键字。
3、await只有再含async的函数中才生效。
4、想让其为异步操作,返回值变为promise。?????
5、出现了await关键之之后的代码都要在其执行之后才会执行(下图的wwww要等await执行之后才会执行)
async foo(){
console.log(1)
let a=await this.timeOut()
console.log('wwww')
console.log(a)
},
timeOut(){
return new Promise((res,rej)=>{
setTimeout(()=>{
console.log(2)
res(3)
},500)
})
},
?? 输出结果为1,2,wwww,3 当await执行完毕之后再去执行下一个
|