本文实例讲述了ES6 Generator函数的应用。分享给大家供大家参考,具体如下:
Generator 函数是 一种异步编程解决方案,Generator 函数会返回一个遍历器对象,Generator 函数是一个普通函数,但是有两个特征。一是,function关键字与函数名之间有一个星号;二是,函数体内部使用yield表达式。
认识generator函数
function * fn() { console.log('hello'); return 'Joh';}// 执行fn()时不会直接执行方法体中的代码,它会返回一个指针, 这个指针实现了 interator接口,也就是返回一个interator对象let it = fn();// 通过调用next就会执行方法体, 返回结果是 {value:'Joh', done:true}, 其中next返回的是函数体中return的值let res = it.next();console.log(res);
generator函数中的yield 与 return
function * fn() { // 和yield相配合,把一个generator内部分为几个断点来执行,每个断点就是yield语句 // 注意 yield和return的区别: yield可以有多个,return只能有1个 yield 1; yield 2; yield 3; return 4; // 可以没有return值,done为true的value将会是undefined}let it = fn();// 在for-of 循环中只能打印done为false的value值,done为true时,程序终止for(let v of it) { console.log(v); // 分别输出 1 2 3}
yield 的值与赋值语句
function * fn(_name) { let name = yield _name; // yield 的默认值为undefined return name;}let it = fn('Joh');console.log(it.next()); // {value:'Joh', done:false}console.log(it.next('Tom')); // {value:'Tom', done:true} // 此处value应该为undefined,但是通过next参数的形式赋值改变了最后一个值console.log(it.next('Lily')); // {value: undefined, done:true} // 已经循环完毕,即使传值也是undefined
yield 语句的位置与括号
function sum(a, b) { return a + b;}function * fn() { let res = sum(yield 1, 5 + (yield 3)); console.log(res); console.log('my qq: ' + (yield qq)); // yield 在一个语句中需要括起来}fn();
yield 异常捕获
异常捕获的方式1:
function * fn() { let qq = yield; // yield 默认返回undefined, 不会抛出异常 console.log(qq);}let g = fn();g.next(); // 第一个断点没有输出// g.next('qq 11111'); // 完毕之后传值输出:qq 11111g.throw('error!'); // Uncaught error!
异常捕获的方式2:
function * fn() { let qq; try { qq = yield; // yield 默认返回undefined }catch(e){ console.log('qq have error'); }finally{ console.log(qq); }}let g = fn();g.next();g.throw('error!');// qq have error// undefined
异常捕获的方式3:
function * fn() { let qq; qq = yield; console.log(qq);}let g = fn();g.next();try{ g.throw('error!');}catch(e){ console.log('qq have error!');}
新闻热点
疑难解答
图片精选