function* helloWordGenerator() { yield "hello"; yield "world"; return "ending"; } let g = helloWordGenerator(); let first = g.next(); console.info("first.value = " + first.value); // first.value = hello console.info("first.done = " + first.done); // first.done = false let second = g.next(); console.info("second.value = " + second.value); // second.value = world console.info("second.done = " + second.done); // second.done = false let third = g.next(); console.info("third.value = " + third.value); // third.value = ending console.info("third.done = " + third.done); // third.done = true
Generator 函数是协程在 ES6 的实现,最大特点就是可以交出函数的执行权(即暂停执行)。
异步操作需要暂停的地方,都用 yield 语句注明。
Generator 函数不同于普通函数,即执行它不会返回结果,返回的是遍历器对象(指针对象)。
调用 Generator 函数,会返回一个遍历器对象(指针对象)。
调用指针 g 的 next 方法,会移动内部指针(即执行异步任务的第一段),指向第一个遇到的 yield 语句。
每次调用 next 方法,内部指针就从函数头部或上一次停下来的地方开始执行,直到遇到下一个yield
语句(或return
语句)为止。
每次调用 next 方法,会返回一个对象,表示当前阶段的信息( value 属性和 done 属性)。value 属性是 yield 语句后面表达式的值,表示当前阶段的值;done 属性是一个布尔值,表示是否结束。