async

ES2017 标准引入了 async 函数,使得异步操作变得更加方便。

在异步处理上,async 函数就是 Generator 函数的语法糖。

举个例子:

  1. // 使用 generator
  2. var fetch = require('node-fetch');
  3. var co = require('co');
  4.  
  5. function* gen() {
  6. var r1 = yield fetch('https://api.github.com/users/github');
  7. var json1 = yield r1.json();
  8. console.log(json1.bio);
  9. }
  10.  
  11. co(gen);

当你使用 async 时:

  1. // 使用 async
  2. var fetch = require('node-fetch');
  3.  
  4. var fetchData = async function () {
  5. var r1 = await fetch('https://api.github.com/users/github');
  6. var json1 = await r1.json();
  7. console.log(json1.bio);
  8. };
  9.  
  10. fetchData();

其实 async 函数的实现原理,就是将 Generator 函数和自动执行器,包装在一个函数里。

  1. async function fn(args) {
  2. // ...
  3. }
  4.  
  5. // 等同于
  6.  
  7. function fn(args) {
  8. return spawn(function* () {
  9. // ...
  10. });
  11. }

spawn 函数指的是自动执行器,就比如说 co。

再加上 async 函数返回一个 Promise 对象,你也可以理解为 async 函数是基于 Promise 和 Generator 的一层封装。

async 与 Promise

严谨的说,async 是一种语法,Promise 是一个内置对象,两者并不具备可比性,更何况 async 函数也返回一个 Promise 对象……

这里主要是展示一些场景,使用 async 会比使用 Promise 更优雅的处理异步流程。

1. 代码更加简洁

  1. /**
  2. * 示例一
  3. */
  4. function fetch() {
  5. return (
  6. fetchData()
  7. .then(() => {
  8. return "done"
  9. });
  10. )
  11. }
  12.  
  13. async function fetch() {
  14. await fetchData()
  15. return "done"
  16. };
  1. /**
  2. * 示例二
  3. */
  4. function fetch() {
  5. return fetchData()
  6. .then(data => {
  7. if (data.moreData) {
  8. return fetchAnotherData(data)
  9. .then(moreData => {
  10. return moreData
  11. })
  12. } else {
  13. return data
  14. }
  15. });
  16. }
  17.  
  18. async function fetch() {
  19. const data = await fetchData()
  20. if (data.moreData) {
  21. const moreData = await fetchAnotherData(data);
  22. return moreData
  23. } else {
  24. return data
  25. }
  26. };
  1. /**
  2. * 示例三
  3. */
  4. function fetch() {
  5. return (
  6. fetchData()
  7. .then(value1 => {
  8. return fetchMoreData(value1)
  9. })
  10. .then(value2 => {
  11. return fetchMoreData2(value2)
  12. })
  13. )
  14. }
  15.  
  16. async function fetch() {
  17. const value1 = await fetchData()
  18. const value2 = await fetchMoreData(value1)
  19. return fetchMoreData2(value2)
  20. };

2. 错误处理

  1. function fetch() {
  2. try {
  3. fetchData()
  4. .then(result => {
  5. const data = JSON.parse(result)
  6. })
  7. .catch((err) => {
  8. console.log(err)
  9. })
  10. } catch (err) {
  11. console.log(err)
  12. }
  13. }

在这段代码中,try/catch 能捕获 fetchData() 中的一些 Promise 构造错误,但是不能捕获 JSON.parse 抛出的异常,如果要处理 JSON.parse 抛出的异常,需要添加 catch 函数重复一遍异常处理的逻辑。

在实际项目中,错误处理逻辑可能会很复杂,这会导致冗余的代码。

  1. async function fetch() {
  2. try {
  3. const data = JSON.parse(await fetchData())
  4. } catch (err) {
  5. console.log(err)
  6. }
  7. };

async/await 的出现使得 try/catch 就可以捕获同步和异步的错误。

3. 调试

  1. const fetchData = () => new Promise((resolve) => setTimeout(resolve, 1000, 1))
  2. const fetchMoreData = (value) => new Promise((resolve) => setTimeout(resolve, 1000, value + 1))
  3. const fetchMoreData2 = (value) => new Promise((resolve) => setTimeout(resolve, 1000, value + 2))
  4.  
  5. function fetch() {
  6. return (
  7. fetchData()
  8. .then((value1) => {
  9. console.log(value1)
  10. return fetchMoreData(value1)
  11. })
  12. .then(value2 => {
  13. return fetchMoreData2(value2)
  14. })
  15. )
  16. }
  17.  
  18. const res = fetch();
  19. console.log(res);

promise 断点演示

因为 then 中的代码是异步执行,所以当你打断点的时候,代码不会顺序执行,尤其当你使用 step over 的时候,then 函数会直接进入下一个 then 函数。

  1. const fetchData = () => new Promise((resolve) => setTimeout(resolve, 1000, 1))
  2. const fetchMoreData = () => new Promise((resolve) => setTimeout(resolve, 1000, 2))
  3. const fetchMoreData2 = () => new Promise((resolve) => setTimeout(resolve, 1000, 3))
  4.  
  5. async function fetch() {
  6. const value1 = await fetchData()
  7. const value2 = await fetchMoreData(value1)
  8. return fetchMoreData2(value2)
  9. };
  10.  
  11. const res = fetch();
  12. console.log(res);

async 断点演示

而使用 async 的时候,则可以像调试同步代码一样调试。

async 地狱

async 地狱主要是指开发者贪图语法上的简洁而让原本可以并行执行的内容变成了顺序执行,从而影响了性能,但用地狱形容有点夸张了点……

例子一

举个例子:

  1. (async () => {
  2. const getList = await getList();
  3. const getAnotherList = await getAnotherList();
  4. })();

getList() 和 getAnotherList() 其实并没有依赖关系,但是现在的这种写法,虽然简洁,却导致了 getAnotherList() 只能在 getList() 返回后才会执行,从而导致了多一倍的请求时间。

为了解决这个问题,我们可以改成这样:

  1. (async () => {
  2. const listPromise = getList();
  3. const anotherListPromise = getAnotherList();
  4. await listPromise;
  5. await anotherListPromise;
  6. })();

也可以使用 Promise.all():

  1. (async () => {
  2. Promise.all([getList(), getAnotherList()]).then(...);
  3. })();

例子二

当然上面这个例子比较简单,我们再来扩充一下:

  1. (async () => {
  2. const listPromise = await getList();
  3. const anotherListPromise = await getAnotherList();
  4.  
  5. // do something
  6.  
  7. await submit(listData);
  8. await submit(anotherListData);
  9.  
  10. })();

因为 await 的特性,整个例子有明显的先后顺序,然而 getList() 和 getAnotherList() 其实并无依赖,submit(listData) 和 submit(anotherListData) 也没有依赖关系,那么对于这种例子,我们该怎么改写呢?

基本分为三个步骤:

1. 找出依赖关系

在这里,submit(listData) 需要在 getList() 之后,submit(anotherListData) 需要在 anotherListPromise() 之后。

2. 将互相依赖的语句包裹在 async 函数中

  1. async function handleList() {
  2. const listPromise = await getList();
  3. // ...
  4. await submit(listData);
  5. }
  6.  
  7. async function handleAnotherList() {
  8. const anotherListPromise = await getAnotherList()
  9. // ...
  10. await submit(anotherListData)
  11. }

3.并发执行 async 函数

  1. async function handleList() {
  2. const listPromise = await getList();
  3. // ...
  4. await submit(listData);
  5. }
  6.  
  7. async function handleAnotherList() {
  8. const anotherListPromise = await getAnotherList()
  9. // ...
  10. await submit(anotherListData)
  11. }
  12.  
  13. // 方法一
  14. (async () => {
  15. const handleListPromise = handleList()
  16. const handleAnotherListPromise = handleAnotherList()
  17. await handleListPromise
  18. await handleAnotherListPromise
  19. })()
  20.  
  21. // 方法二
  22. (async () => {
  23. Promise.all([handleList(), handleAnotherList()]).then()
  24. })()

继发与并发

问题:给定一个 URL 数组,如何实现接口的继发和并发?

async 继发实现:

  1. // 继发一
  2. async function loadData() {
  3. var res1 = await fetch(url1);
  4. var res2 = await fetch(url2);
  5. var res3 = await fetch(url3);
  6. return "whew all done";
  7. }
  1. // 继发二
  2. async function loadData(urls) {
  3. for (const url of urls) {
  4. const response = await fetch(url);
  5. console.log(await response.text());
  6. }
  7. }

async 并发实现:

  1. // 并发一
  2. async function loadData() {
  3. var res = await Promise.all([fetch(url1), fetch(url2), fetch(url3)]);
  4. return "whew all done";
  5. }
  1. // 并发二
  2. async function loadData(urls) {
  3. // 并发读取 url
  4. const textPromises = urls.map(async url => {
  5. const response = await fetch(url);
  6. return response.text();
  7. });
  8.  
  9. // 按次序输出
  10. for (const textPromise of textPromises) {
  11. console.log(await textPromise);
  12. }
  13. }

async 错误捕获

尽管我们可以使用 try catch 捕获错误,但是当我们需要捕获多个错误并做不同的处理时,很快 try catch 就会导致代码杂乱,就比如:

  1. async function asyncTask(cb) {
  2. try {
  3. const user = await UserModel.findById(1);
  4. if(!user) return cb('No user found');
  5. } catch(e) {
  6. return cb('Unexpected error occurred');
  7. }
  8.  
  9. try {
  10. const savedTask = await TaskModel({userId: user.id, name: 'Demo Task'});
  11. } catch(e) {
  12. return cb('Error occurred while saving task');
  13. }
  14.  
  15. if(user.notificationsEnabled) {
  16. try {
  17. await NotificationService.sendNotification(user.id, 'Task Created');
  18. } catch(e) {
  19. return cb('Error while sending notification');
  20. }
  21. }
  22.  
  23. if(savedTask.assignedUser.id !== user.id) {
  24. try {
  25. await NotificationService.sendNotification(savedTask.assignedUser.id, 'Task was created for you');
  26. } catch(e) {
  27. return cb('Error while sending notification');
  28. }
  29. }
  30.  
  31. cb(null, savedTask);
  32. }

为了简化这种错误的捕获,我们可以给 await 后的 promise 对象添加 catch 函数,为此我们需要写一个 helper:

  1. // to.js
  2. export default function to(promise) {
  3. return promise.then(data => {
  4. return [null, data];
  5. })
  6. .catch(err => [err]);
  7. }

整个错误捕获的代码可以简化为:

  1. import to from './to.js';
  2.  
  3. async function asyncTask() {
  4. let err, user, savedTask;
  5.  
  6. [err, user] = await to(UserModel.findById(1));
  7. if(!user) throw new CustomerError('No user found');
  8.  
  9. [err, savedTask] = await to(TaskModel({userId: user.id, name: 'Demo Task'}));
  10. if(err) throw new CustomError('Error occurred while saving task');
  11.  
  12. if(user.notificationsEnabled) {
  13. const [err] = await to(NotificationService.sendNotification(user.id, 'Task Created'));
  14. if (err) console.error('Just log the error and continue flow');
  15. }
  16. }

async 的一些讨论

async 会取代 Generator 吗?

Generator 本来是用作生成器,使用 Generator 处理异步请求只是一个比较 hack 的用法,在异步方面,async 可以取代 Generator,但是 async 和 Generator 两个语法本身是用来解决不同的问题的。

async 会取代 Promise 吗?

  • async 函数返回一个 Promise 对象

  • 面对复杂的异步流程,Promise 提供的 all 和 race 会更加好用

  • Promise 本身是一个对象,所以可以在代码中任意传递

  • async 的支持率还很低,即使有 Babel,编译后也要增加 1000 行左右。

参考

ES6 系列

ES6 系列目录地址:https://github.com/mqyqingfeng/Blog

ES6 系列预计写二十篇左右,旨在加深 ES6 部分知识点的理解,重点讲解块级作用域、标签模板、箭头函数、Symbol、Set、Map 以及 Promise 的模拟实现、模块加载方案、异步处理等内容。

如果有错误或者不严谨的地方,请务必给予指正,十分感谢。如果喜欢或者有所启发,欢迎 star,对作者也是一种鼓励。