在 ECMAScript 2017 中添加了 async
函数和 await
关键字,并在主流脚本库和其他 JavaScript 编程中得到广泛的应用。今天带大家一起来学习一下。
function hellworld() { return "您好!美好世界!"; } console.log(hellworld()); // 您好!美好世界! async function asyHellworld() { return "您好!美好世界!"; } console.log(asyHellworld()); // Promise { '您好!美好世界!' }
普通函数 hellworld
将简单地返回字符串 您好!美好世界!
,而 async
函数将返回 Promise
对象。
如果需要使用异步函数返回的值,则需要在它后面添加 .then()
程序块,如下:
async function asyHellworld() { return "您好!美好世界!"; } asyHellworld().then((str) => console.log(str)); // 您好!美好世界!
await
关键字将确保异步函数的 Promise
将在继续执行其它可能需要等待值的代码之前完成并返回结果。
async function asyHellworld() { return await Promise.resolve("您好!美好世界!"); } asyHellworld().then(console.log); // 您好!美好世界!
这段代码虽然简单,但确实显示了 await
关键字的用法,以及它应该如何在函数体中使用 Promise
对象。
接下来为了让代码更容易理解,去掉代码中的 Promise 语法,如下:
async function asyHellworld() { return "您好!美好世界!"; } async function printHello() { const strHello = await asyHellworld(); console.log(strHello); } printHello();
上面这段代码可以更加直观的看清楚 async
和 await
的使用。通常 async
和 await
是用来处理异步操作,是把异步变为同步的一种方法。
async
声明一个 function
来表示这个异步函数,await
用于等待函数中某个异步操作执行完成。
通过上面的介绍,对 async
和 await
有一个初步的认识,那么能用来做什么呢?
await
关键字将确保异步函数的Promise
将在继续执行其它可能需要等待值的代码之前完成并返回结果。
因此,在处理AJAX异步请求的时候,如在VUE项目中,通常处理的方式如下:
login(username, password).then((loginResult) => { // 登录请求发出后的处理请求 console.log("登录成功!"); });
而使用 await 就可以这样来处理:
const loginResult = await login(username, password); console.log(loginResult);
这里需要注意一点,await 要在异步函数中才能使用,上面代码是有问题,假如是在 store
里面处理的话,就需要改成:
const actions = { async [LOGIN]({ commit }, payload) { const { username, password } = payload; const loginResult = await login(username, password); console.log(loginResult); }, };
在这里可以看出,对于要处理由多个 Promise
组成的 then
链的时候,优势就能体现出来了。
还有一个常用的用途,是实现程序的暂停,即 sleep
方法,实现代码如下:
const sleep = (ms) => { return new Promise((resolve) => setTimeout(resolve, ms)); }; (async () => { console.log("开始执行,10秒打印你好"); await sleep(10 * 1000); console.log("你好"); })();
总结
本文对 JavaScript中的 async
和 await
用法和使用场景做了简单介绍,对其有个初步认识。