- I've created a jsbin for you to play with Generators. In the practical project, you
need to have either
facebook-regenerator
orbabel-polyfill
to run it.
The playground
- Generator's interface
interface Generator extends Iterator {
next(value?: any): IteratorResult;
throw(exception: any);
}
- It's object after all [suprise]
- Generator has implicit return
undefined
. Throw
andreturn
are equal.
- Via function declaration:
function* generatorFunction() { ... }
- Via function expression:
const generatorFunction = function* () { ... }
- Via object literal
const objectA = {
* generatorFunc() { ... }
}
Via a generator method definition in a class definition (which can be a class declaration or a class expression):
class Foo {
* generatorMethod() {
...
}
}
const foo = new Foo();
let genObj = foo.generatorMethod();
Iterators (data producers): Each yield can return a value via next(), which means that generators can produce sequences of values via loops and recursion. Due to generator objects implementing the interface Iterable [5], these sequences can be processed by any ECMAScript 6 construct that supports iterables. Two examples are: for-of loops and the spread operator (...)
javascript
class BinaryTree {
constructor(value, left=null, right=null) {
this.value = value;
this.left = left;
this.right = right;
}
/** Prefix iteration */
* [Symbol.iterator]() {
yield this.value;
if (this.left) {
yield* this.left;
}
if (this.right) {
yield* this.right;
}
}
}
### Preferences
- ES6 generators in depth - http://www.2ality.com/2015/03/es6-generators.html
- ES6 features - https://github.com/lukehoban/es6features#generators
- TC39 proposal async interation - https://github.com/tc39/proposal-async-iteration