JS异步中async、await讲解

文章目录

  • 1 async、await
    • 1.1 微任务队列&宏任务队列
    • 1.2 问题引入
    • 1.3 async 函数返回值
      • 1.3.1 示例
      • 1.3.2 面试示例
    • 1.4 await 右值类型区别
      • 1.4.1 非 thenable
      • 1.4.2 thenable类型
      • 1.4.3 Promise类型
        • 1.4.3.1 没有两个then等待
        • 1.4.3.2 循环交叉输出
    • 1.5 await+sync 示例说明
      • 1.5.1 返回和无返回
      • 1.5.2 返回 Promise
      • 1.5.3 示例三
    • 1.6 总结

1 async、await

关于promise、async/await的使用相信很多小伙伴都比较熟悉了,但是提到事件循环机制输出结果类似的题目,敢说都会?

1.1 微任务队列&宏任务队列

JavaScript 中,事件循环(Event Loop)机制负责协调代码的执行顺序。为了理解 JavaScript 的执行顺序和异步行为,了解微任务队列(Microtask Queue)和宏任务队列(Macrotask Queue,或称为 Task Queue)是非常重要的。

  • 事件循环JavaScript 的一种机制,它处理所有异步操作,并在合适的时间将它们放入执行队列中。
  • 宏任务队列(Macrotask Queue
    宏任务队列中的任务通常会在事件循环的每一轮中执行一次。每次事件循环迭代(tick)都会从宏任务队列中取出一个任务执行。
    宏任务队列包含了所有的宏任务(或称为任务),这些任务包括:
    • setTimeoutsetInterval:定时器任务。
    • I/O 操作:文件读写、网络请求等。
    • setImmediateNode.js 环境下的任务。
    • UI 渲染:浏览器的 UI 任务。
  • 微任务队列(Microtask Queue
    微任务会在当前宏任务执行完毕后、下一次事件循环之前执行。换句话说,微任务队列中的任务会在宏任务队列中的任务之前被执行
    微任务队列包含了所有的微任务,主要包括:
    • Promisethencatch 回调:Promise 对象的异步回调。
    • MutationObserver:用于监听 DOM 变动的 API。
    • queueMicrotask:手动添加微任务。
  • 执行顺序
    执行同步代码:事件循环从栈中取出同步代码执行。
    处理微任务队列:执行所有微任务队列中的任务。微任务会在当前宏任务执行完毕后立刻执行,直到微任务队列为空。
    执行宏任务队列:从宏任务队列中取出一个任务执行。
    渲染:如果有必要,浏览器会进行 UI 更新。
console.log('Start');setTimeout(() => {console.log('Timeout');
}, 0);Promise.resolve().then(() => {console.log('Promise 1');
}).then(() => {console.log('Promise 2');
});console.log('End');最终输出结果是:
Start
End
Promise 1
Promise 2
Timeout

同步代码执行:

  • console.log(‘Start’) 输出 Start。
  • setTimeout 设置一个定时器,任务被放入宏任务队列。
  • Promise.resolve().then() 的回调被放入微任务队列。
  • console.log(‘End’) 输出 End。
  • 处理微任务队列:
    • 执行微任务队列中的回调:Promise 1 和 Promise 2。
  • 处理宏任务队列:
    • 执行宏任务队列中的回调:Timeout。

1.2 问题引入

例子一:

async function async1 () {await new Promise((resolve, reject) => {resolve()})console.log('A')
}async1()new Promise((resolve) => {console.log('B')resolve()
}).then(() => {console.log('C')
}).then(() => {console.log('D')
})// 最终结果: B A C D

例子二:

async function async1 () {await async2()console.log('A')
}async function async2 () {return new Promise((resolve, reject) => {resolve()})
}async1()new Promise((resolve) => {console.log('B')resolve()
}).then(() => {console.log('C')
}).then(() => {console.log('D')
})// 最终结果: B C D A

1.3 async 函数返回值

在讨论 await 之前,先聊一下 async 函数处理返回值的问题,它会像 Promise.prototype.then 一样,会对返回值的类型进行辨识。
根据返回值的类型,引起 js引擎 对返回值处理方式的不同

async 函数在抛出返回值时,会根据返回值类型开启不同数目的微任务

  • return结果值:非thenable、非promise不等待
  • return结果值:thenable(等待 1个then的时间)
  • return结果值:promise(等待 2个then的时间)

1.3.1 示例

示例1:不等待

async function testA () {return 1;
}
testA().then(() => console.log(1));
Promise.resolve().then(() => console.log(2)).then(() => console.log(3));// (不等待)最终结果: 1 2 3

示例2:一个then

async function testB () {return {then (cb) {cb();}};
}testB().then(() => console.log(1));
Promise.resolve().then(() => console.log(2)).then(() => console.log(3));// (等待一个then)最终结果: 2 1 3

示例3:两个then

async function testC () {return new Promise((resolve, reject) => {resolve()})
}testC().then(() => console.log(1));
Promise.resolve().then(() => console.log(2)).then(() => console.log(3));// (等待两个then)最终结果: 2 3 1

示例4:两个then

async function testC () {return new Promise((resolve, reject) => {resolve()})
} testC().then(() => console.log(1));
Promise.resolve().then(() => console.log(2)).then(() => console.log(3)).then(() => console.log(4))// (等待两个then)最终结果: 2 3 1 4

1.3.2 面试示例

稍安勿躁,来试试一个经典面试题

async function async1 () {console.log('1')await async2()console.log('AAA')
}async function async2 () {console.log('3')return new Promise((resolve, reject) => {resolve()console.log('4')})
}console.log('5')setTimeout(() => {console.log('6')
}, 0);async1()new Promise((resolve) => {console.log('7')resolve()
}).then(() => {console.log('8')
}).then(() => {console.log('9')
}).then(() => {console.log('10')
})
console.log('11')最终结果: 5 1 3 4 7 11 8 9 AAA 10 6

步骤讲解:

  • 先执行同步代码,输出5
  • 执行 setTimeout,是放入宏任务异步队列中
  • 接着执行 async1函数,该函数是异步的,但会立即开始执行其内部的同步代码,输出1
  • 执行async2函数,输出3
  • 创建一个Promise,并立即调用 resolve()。但重要的是要注意,console.log('4')是在resolve()调用之后立即执行的,这意味着’4’会在Promise解决之后但在任何then回调之前打印,即:Promise 构造器中代码属于同步代码,输出4
  • async2函数的返回值是Promise,等待2个then后放行,所以AAA暂时无法输出
  • async1函数暂时结束,继续往下走,输出7,
    创建一个新的 Promise,并立即打印’7’然后解决它。这个Promisethen回调将被添加到微任务队列中
  • 同步代码,输出11
  • 执行第一个then,输出8
  • 执行第二个then,输出9
  • 终于等到了两个then执行完毕,执行async1函数里面剩下的,输出AAA
  • 再执行最后一个微任务then,输出10
  • 执行最后的宏任务setTimeout,输出6

1.4 await 右值类型区别

1.4.1 非 thenable

await 后面接非 thenable 类型,会立即向微任务队列添加一个微任务 then,但不需等待

async function test () {console.log(1);await 1;console.log(2);
}
test();
console.log(3);
// 最终结果: 1 3 2
function func () {console.log(2);
}
async function test () {console.log(1);await func();console.log(3);
}test();
console.log(4);// 最终结果: 1 2 4 3
async function test () {console.log(1);await 123console.log(2);
}test();
console.log(3);Promise.resolve().then(() => console.log(4)).then(() => console.log(5)).then(() => console.log(6)).then(() => console.log(7));// 最终结果: 1 3 2 4 5 6 7

1.4.2 thenable类型

await 后面接 thenable 类型,需要等待一个 then 的时间之后执行

async function test () {console.log(1);await {then (cb) {cb();},};console.log(2);
}test();
console.log(3);Promise.resolve().then(() => console.log(4)).then(() => console.log(5)).then(() => console.log(6)).then(() => console.log(7));// 最终结果: 1 3 4 2 5 6 7

1.4.3 Promise类型

1.4.3.1 没有两个then等待
async function test () {console.log(1);await new Promise((resolve, reject) => {resolve()})console.log(2);
}test();
console.log(3);Promise.resolve().then(() => console.log(4)).then(() => console.log(5)).then(() => console.log(6)).then(() => console.log(7));// 最终结果: 1 3 2 4 5 6 7

为什么表现的和 非 thenable 值一样呢?为什么不等待两个 then 的时间呢?

TC 39(ECMAScript标准制定者)await 后面是 promise 的情况如何处理进行了一次修改,移除了额外的两个微任务,在早期版本,依然会等待两个 then 的时间
有大佬翻译了官方解释:更快的 async 函数和 promises[1],但在这次更新中并没有修改 thenable 的情况
这样做可以极大的优化 await 等待的速度

1.4.3.2 循环交叉输出
async function func () {console.log(1);await 1;console.log(2);await 2;console.log(3);await 3;console.log(4);
}async function test () {console.log(5);await func();console.log(6);
}test();
console.log(7);Promise.resolve().then(() => console.log(8)).then(() => console.log(9)).then(() => console.log(10)).then(() => console.log(11));// 最终结果: 5 1 7 2 8 3 9 4 10 6 11

awaitPromise.prototype.then 虽然很多时候可以在时间顺序上能等效,但是它们之间有本质的区别。
test 函数中的 await 会等待 func 函数中所有的 await 取得 恢复函数执行 的命令并且整个函数执行完毕后才能获得取得 恢复函数执行的命令;
也就是说,func 函数的 await 此时不能在时间的顺序上等效 then,而要等待到 test 函数完全执行完毕;
比如这里的数字6很晚才输出,如果单纯看成then的话,在下一个微任务队列执行时6就应该作为同步代码输出了才对。
所以我们可以合并两个函数的代码

async function test () {console.log(5);console.log(1);await 1;console.log(2);await 2;console.log(3);await 3;console.log(4);await null;console.log(6);
}test();
console.log(7);Promise.resolve().then(() => console.log(8)).then(() => console.log(9)).then(() => console.log(10)).then(() => console.log(11));// 最终结果: 5 1 7 2 8 3 9 4 10 6 11

因为将原本的函数融合,此时的 await 可以等效为 Promise.prototype.then,又完全可以等效如下代码

async function test () {console.log(5);console.log(1);Promise.resolve().then(() => console.log(2)).then(() => console.log(3)).then(() => console.log(4)).then(() => console.log(6))
}test();
console.log(7);Promise.resolve().then(() => console.log(8)).then(() => console.log(9)).then(() => console.log(10)).then(() => console.log(11));// 最终结果: 5 1 7 2 8 3 9 4 10 6 11

以上三种写法在时间的顺序上完全等效,所以 完全可以将 await 后面的代码可以看做在 then 里面执行的结果,又因为 async 函数会返回 promise 实例,所以还可以等效成

async function test () {console.log(5);console.log(1);
}test().then(() => console.log(2)).then(() => console.log(3)).then(() => console.log(4)).then(() => console.log(6))console.log(7);Promise.resolve().then(() => console.log(8)).then(() => console.log(9)).then(() => console.log(10)).then(() => console.log(11));// 最终结果: 5 1 7 2 8 3 9 4 10 6 11

可以发现,test 函数全是走的同步代码…

所以:async/await 是用同步的方式,执行异步操作

1.5 await+sync 示例说明

1.5.1 返回和无返回

async function async2 () {new Promise((resolve, reject) => {resolve()})
}
async function async3 () {return new Promise((resolve, reject) => {resolve()})
}async function async1 () {// 方式一:最终结果:B A C D// await new Promise((resolve, reject) => {//     resolve()// })// 方式二:最终结果:B A C D// await async2()// 方式三:最终结果:B C D Aawait async3()console.log('A')
}async1()new Promise((resolve) => {console.log('B')resolve()
}).then(() => {console.log('C')
}).then(() => {console.log('D')
})

大致思路:

  • 首先,async函数的整体返回值永远都是Promise,无论值本身是什么
  • 方式一:await的是Promise,无需等待
  • 方式二:await的是async函数,但是该函数的返回值本身是 非thenable,无需等待
  • 方式三:await的是async函数,且返回值本身是Promise,需等待两个then时间

1.5.2 返回 Promise

function func () {console.log(2);// 方式一:1 2 4  5 3 6 7// Promise.resolve()//     .then(() => console.log(5))//     .then(() => console.log(6))//     .then(() => console.log(7))// 方式二:1 2 4  5 6 7 3return Promise.resolve().then(() => console.log(5)).then(() => console.log(6)).then(() => console.log(7))
}async function test () {console.log(1);await func();console.log(3);
}test();
console.log(4);

步骤拆分:

  • 方式一:
    同步代码输出1、2,接着将log(5)处的then1加入微任务队列,await拿到确切的func函数返回值undefined,将后续代码放入微任务队列(then2,可以这样理解)
    执行同步代码输出4,到此,所有同步代码完毕
    执行第一个放入的微任务then1输出5,产生log(6)的微任务then3
    执行第二个放入的微任务then2输出3
    然后执行微任务then3,输出6,产生log(7)的微任务then4
    执行then4,输出7
  • 方式二:
    同步代码输出1、2,await拿到func函数返回值,但是并未获得具体的结果(由Promise本身机制决定),暂停执行当前async函数内的代码(跳出、让行)
    输出4,到此,所有同步代码完毕
    await一直等到Promise.resolve().then…执行完成,再放行输出3

继续

function func () {console.log(2);return Promise.resolve().then(() => console.log(5)).then(() => console.log(6)).then(() => console.log(7))
}async function test () {console.log(1);await func()console.log(3);
}test();
console.log(4);new Promise((resolve) => {console.log('B')resolve()
}).then(() => {console.log('C')
}).then(() => {console.log('D')
})// 最终结果: 1 2 4    B 5 C 6 D 7 3
async function test () {console.log(1);await Promise.resolve().then(() => console.log(5)).then(() => console.log(6)).then(() => console.log(7))console.log(3);
}test();
console.log(4);new Promise((resolve) => {console.log('B')resolve()
}).then(() => {console.log('C')
}).then(() => {console.log('D')
})// 最终结果: 1 4    B 5 C 6 D 7 3

综上,await 一定要等到右侧的表达式有确切的值才会放行,否则将一直等待(阻塞当前async函数内的后续代码),不服看看这个

function func () {return new Promise((resolve) => {console.log('B')// resolve() 故意一直保持pending})
}async function test () {console.log(1);await func()console.log(3);
}test();
console.log(4);
// 最终结果: 1 B 4 (永远不会打印3)// ---------------------或者写为-------------------
async function test () {console.log(1);await new Promise((resolve) => {console.log('B')// resolve() 故意一直保持pending})console.log(3);
}test();
console.log(4);
// 最终结果: 1 B 4 (永远不会打印3)

1.5.3 示例三

async function func () {console.log(2);return {then (cb) {cb()}}
}async function test () {console.log(1);await func();console.log(3);
}test();
console.log(4);new Promise((resolve) => {console.log('B')resolve()
}).then(() => {console.log('C')
}).then(() => {console.log('D')
})// 最终结果: 1 2 4 B C 3 D

步骤拆分:
同步代码输出1、2
await拿到func函数的具体返回值thenable,将当前async函数内的后续代码放入微任务then1(但是需要等待一个then时间)
同步代码输出4、B,产生log©的微任务then2
由于then1滞后一个then时间,直接执行then2输出C,产生log(D)的微任务then3
执行原本滞后一个then时间的微任务then1,输出3
执行最后一个微任务then3输出D

1.6 总结

async函数返回值

  • 结论:async函数在抛出返回值时,会根据返回值类型开启不同数目的微任务
    • return结果值:非thenable非promise不等待
    • return结果值:thenable(等待 1个then 的时间)
    • return结果值:promise(等待 2个then 的时间)
  • await右值类型区别
    • 非 thenable 类型,会立即向微任务队列添加一个微任务then,但不需等待
    • thenable 类型,需要等待一个 then 的时间之后执行
    • Promise类型(有确定的返回值),会立即向微任务队列添加一个微任务then,但不需等待

参考资料
https://juejin.cn/post/6844903715342647310#heading-3: https://juejin.cn/post/6844903715342647310#heading-3

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/diannao/51137.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

[工具] GitHub+Gridea+GitTalk 搭建个人免费博客

文章目录 起因GitHub创建个人仓库存主页创建用于Gridea连接的Token Gridea配置 GitTalk大功告成 起因 想要搭建自己的博客网站,又不想花钱买域名,也不会前端技术,只能求助于简单(傻逼式)且免费的博客搭建方式。偶然间看到这种方式&#xff0…

微信答题小程序产品研发-UI界面设计

高保真原型虽然已经很接近产品形态了,但毕竟还不能够直接交付给开发。这时就需要UI设计师依据之前的原型设计,进一步细化和实现界面的视觉元素,包括整体视觉风格、颜色、字体、图标、按钮以及交互细节优化等。 UI设计不仅关系到用户的直观感…

docker load -i xx.tar 加载本地镜像

docker load docker load命令是用来载入镜像的。 docker load -i cuda-docker.tar就将上方的cuda-docker.tar包导入到本机环境中,之后执行docker run命令就可以启动docker镜像

java项目数据库 mysql 迁移到 达梦

目录 一、下载安装达梦数据库 1、下载 2、解压 3、安装 二、迁移 三、更改SpringBoot 的 yml文件 1、达梦创建用户 2、修改yml 一、下载安装达梦数据库 1、下载 下载地址 https://eco.dameng.com/download/ 点击下载 开发版 (X86平台) , 然后选择操作系统并点击立…

npm 发布, npm adduser 报错,npm publish 需要认证 authorize

在 npm 发布时,运行 npm adduser 报错,在 npm adduser 未成功的情况下 去执行 npm publish 提示需要认证 (authorize) 原因是 npm 源 有问题,需要使用正确的 npm 源。 npm error need auth This command requires you …

MySQL面试篇章—MySQL锁机制

文章目录 MySQL的锁机制表级锁 & 行级锁排它锁和共享锁InnoDB行级锁行级锁间隙锁意向共享锁和意向排它锁 InnoDB表级锁死锁锁的优化建议MVCC多版本并发控制MyISAM表级锁表级锁并发插入优化锁调度优化 MySQL的锁机制 表级锁 & 行级锁 表级锁:对整张表加锁&…

uniapp实现局域网(内网)中APP自动检测版本,弹窗提醒升级

uniapp实现局域网(内网)中APP自动检测版本,弹窗提醒升级 在开发MES系统的过程中,涉及到了平板端APP的开发,既然是移动端的应用,那么肯定需要APP版本的自动更新功能。 查阅相关资料后,在uniapp的…

【初阶数据结构】复杂度算法题篇

旋转数组 力扣原题 方案一 循环K次将数组所有元素向后移动⼀位(代码不通过) 时间复杂度O(n2) 空间复杂度O(1) void rotate(int* nums, int numsSize, int k) {while (k--) {int end nums[numsSize - 1];for (int i numsSize - 1; i > 0; i--) {nums[i] num…

Redis:十大数据类型

键(key) 常用命令 1. 字符串(String) 1.1 基本命令 set key value 如下:设置kv键值对,存货时长为30秒 get key mset key value [key value ...]mget key [key ...] 同时设置或者获取多个键值对 getrange…

【NPU 系列专栏 2.6 -- - NVIDIA Xavier SoC】

文章目录 NVIDIA Xavier SoCXavier 主要组件Xavier SoC 的型号Xavier SoC 的算力Xavier AGXXavier NXXavier 应用场景自动驾驶机器人物联网(IoT)医疗设备NPU 对比SummaryNVIDIA Xavier SoC 英伟达 Xavier SoC 是英伟达推出的一款高性能系统级芯片,专门为人工智能(AI)和自…

scratch聊天机器人 2024年6月scratch四级 中国电子学会图形化编程 少儿编程等级考试四级真题和答案解析

目录 scratch聊天机器人 一、题目要求 1、准备工作 2、功能实现 二、案例分析 1、角色分析 2、背景分析 3、前期准备 三、解题思路 1、思路分析 四、程序编写 五、考点分析 六、推荐资料 1、入门基础 2、蓝桥杯比赛 3、考级资料 4、视频课程 5、python资料 s…

MongoDB 查询文档

MongoDB 查询文档 MongoDB 是一种流行的 NoSQL 数据库,它使用文档存储数据。在 MongoDB 中,查询文档是一个强大的功能,允许用户从数据库中检索特定数据。本文将详细介绍 MongoDB 查询文档的基础知识、高级用法以及最佳实践。 基础查询 在 MongoDB 中,最基本的查询是使用…

C/C++基础知识

数据类型 目录 数据类型 基本数据类型 变量所占大小 char 构造类型 数组 1.一维数组 2.二维数组 结构体 联合体 指针 内存的申请与释放 C中的new malloc malloc与new的异同 C中的delete free new和delete是如何实现的 malloc和free的实现 被free回收的内存是立即还给操作…

面试题:为什么 一般 weight 选择对称量化,activation 选择非对称量化?

模型的剪枝是为了减少参数量和运算量,而量化是为了压缩数据的占用量。 量化概念 所谓的模型量化就是将浮点存储(运算)转换为整型存储(运算)的一种模型压缩技术。 优势: 可以提升计算效率;减少…

泛微开发修炼之旅--40考勤管理篇:根据班次规则、考勤组规则(含固定值和排班制),在三方系统中获取考勤签到数据,并同步到考勤管理中的解决方案

一、需求描述 我们最近在项目上遇到了一个需求,需要将工厂门禁刷脸数据,通过考勤管理配置的规则,获取到对应的考勤签到数据,依次作为上下班打卡的时间,以此作为员工每天考勤的依据,客户的考勤比较复杂&…

《python程序语言设计》第6章15题财务应用程序:打印税款表。利用程序清单4-7的代码

6.15 打印税款表 def computeTax(status_n, income):tax 0if status_n 0:if income < 8350:tax income * 0.10elif income < 33950:tax 8350 * 0.10 (income - 8350) * 0.15elif income < 82250:tax 8350 * 0.10 (33950 - 8350) * 0.15 (income - 33950) * 0.…

Vue2生命周期+八个钩子函数解析

一.vue生命周期的几个基本概念和常见问题 1.什么是vue的生命周期? 答案&#xff1a;一个vue实例从创建到销毁的过程。 2.vue生命周期有哪几个阶段? 答案&#xff1a;生命周期有四个阶段 分为以下四个阶段&#xff08;有的可能叫法不一样&#xff09; 创建 挂载更新销毁…

《九界ol游戏源码》(游戏源码+客户端+服务端+工具+视频教程)喜欢研究游戏源码的看过来...

《九界》游戏以网络同名热门小说为文化蓝本&#xff0c;构筑了一个地海陆空四维冒险的庞大游戏世界。《九界》以“团队修真”为核心研发理念&#xff0c;引擎采用OGRE引擎&#xff0c;GUI的设计采用CEGUI&#xff0c;游戏设计&#xff0c;地图&#xff0c;音效都是花费了相当的…

哈默纳科HarmonicDrive谐波减速机的使用寿命计算

在机械传动系统中&#xff0c;减速机的应用无处不在&#xff0c;而HarmonicDrive哈默纳科谐波减速机以其独特的优势&#xff0c;如轻量、小型、传动效率高、减速范围广、精度高等特点&#xff0c;成为了众多领域的选择。然而&#xff0c;任何机械设备都有其使用寿命&#xff0c…

Python爬虫-中国汽车市场月销量数据

前言 本文是该专栏的第34篇,后面会持续分享python爬虫干货知识,记得关注。 在本文中,笔者将通过某汽车平台,来采集“中国汽车市场”的月销量数据。 具体实现思路和详细逻辑,笔者将在正文结合完整代码进行详细介绍。废话不多说,下面跟着笔者直接往下看正文详细内容。(附…