一、什么是Generator 函数1.1 语法学习 Generator 语法,你需要了解function* 、yield、next三个基本概念。function* 用来声明一个函数是生成器函数,它比普通的函数声明多了一个*,*的位置比较随意
学习 Generator 语法,你需要了解function* 、yield、next三个基本概念。
function* 用来声明一个函数是生成器函数,它比普通的函数声明多了一个*,*的位置比较随意可以挨着 function 关键字,也可以挨着函数名
yield 产出的意思,这个关键字只能出现在生成器函数体内,但是生成器中也可以没有yield 关键字,函数遇到 yield 的时候会暂停,并把 yield 后面的表达式结果抛出去
next作用是将代码的控制权交还给生成器函数
// 声明生成器函数function* generator() { // A yield 'foo' // B}// 获取生成器对象let g = generator();// 第一个 next(),首次启动生成器g.next(); // {value: "foo", done: false}// 唤醒被 yield 暂停的状态g.next();// {value: undefined, done: true}
// 分析一个简单例子function* helloGenerator() { yield "hello"; yield "generator"; return;}var h = helloGenerator();console.log(h.next());//{ value: 'hello', done: false }console.log(h.next());//{ value: 'generator', done: false }console.log(h.next());//{ value: 'undefined', done: true }
创建了h对象,指向helloGenerator的句柄
第一次调用next(),执行到"yield hello",暂缓执行,并返回了"hello"
第二次调用next(),继续上一次的执行,执行到"yield generator",暂缓执行,并返回了"generator"。
第三次调用next(),直接执行return,并返回done:true,表明结束
经过上面的分析,yield实际就是暂缓执行的标示,每执行一次next(),相当于指针移动到下一个yield位置
总结一下,Generator函数是es6提供的一种异步编程解决方案。通过yield标识位和next()方法调用,实现函数的分段执行
yield是Generator函数的暂缓执行的标识,对于yield只能配合Generator函数使用,在普通的函数中使用会报错
Generator函数中还有一种yield*这个表达方式
function* foo(){ yield "a"; yield "b"; } function* gen(x,y){ yield 1; yield 2; yield* foo(); yield 3; } var g = gen(); console.log(g.next());//{value: 1, done: false} console.log(g.next());//{value: 2, done: false} console.log(g.next());//{value: "a", done: true} console.log(g.next());//{value: "b", done: true} console.log(g.next());//{value: "3", done: true}
当执行yield*时,实际是遍历后面的Generator函数,等价于下面的写法:
function* foo(){ yield "a"; yield "b";}function* gen(x,y){ yield 1; yield 2; for(var value of foo()){ yield value; } yield 3;}
注意:yield 后面只能适配Generator函数
Generator函数的暂停执行的效果,意味着可以把异步操作写在yield表达式里面,等到调用next方法时再往后执行。这实际上等同于不需要写回调函数了,因为异步操作的后续操作可以放在yield表达式下面,反正要等到调用next方法时再执行。所以,Generator函数的一个重要实际意义就是用来处理异步操作,改写回调函数
function* loadUI() { showLoadingScreen(); yield loadUIDataAsynchronously(); hideLoadingScreen();}var loader = loadUI();// 加载UIloader.next()// 卸载UIloader.next()
上面代码中,第一次调用loadUI函数时,该函数不会执行,仅返回一个遍历器。下一次对该遍历器调用next方法,则会显示Loading界面,并且异步加载数据。等到数据加载完成,再一次使用next方法,则会隐藏Loading界面。可以看到,这种写法的好处是所有Loading界面的逻辑,都被封装在一个函数,按部就班非常清晰
通过Generator函数部署ajax操作,可以用同步的方式表达。
function* main() { var result = yield request("Http://some.url"); var resp = JSON.parse(result); console.log(resp.value);}function request(url) { makeAjaxCall(url, function(response){ it.next(response); });}var it = main();it.next();
// 异步函数function getDataAsync (url) { return new Promise((resolve, reject) => { setTimeout(() => { var res = { url: url, data: Math.random() } resolve(res) }, 1000) })}
--结束END--
本文标题: ES6系列之Generator
本文链接: https://lsjlt.com/news/234279.html(转载时请注明来源链接)
有问题或投稿请发送至: 邮箱/279061341@qq.com QQ/279061341
2024-05-24
2024-05-24
2024-05-24
2024-05-24
2024-05-24
2024-05-24
2024-05-24
2024-05-24
2024-05-24
2024-05-24
回答
回答
回答
回答
回答
回答
回答
回答
回答
回答
0