Synchronous generators are special versions of function definitions and method definitions that always return synchronous iterables:

    Asterisks () mark functions and methods as generators:

    • Functions: The pseudo-keyword function* is a combination of the keyword function and an asterisk.
    • Methods: The * is a modifier (similar to static and get).

    35.1.1. Generator functions return iterables and fill them via yield

    If you call a generator function, it returns an iterable (actually: an iterator that is also iterable). The generator fills that iterable via the yield operator:

    1. function* genFunc1() {
    2. yield 'b';
    3. // Convert the iterable to an Array, to check what’s inside:
    4. for (const x of genFunc1()) {
    5. }
    6. // 'a'

    35.1.2. yield pauses a generator function

    So far, yield looks like a simple way of adding values to an iterable. However, it does much more than that – it also pauses and exits the generator function:

    • Like return, a yield exits the body of the function.
    • Unlike return, if you invoke the function again, execution resumes directly after the yield.
      Let’s examine what that means via the following generator function.
    1. function* genFunc2() {
    2. yield 'a';
    3. yield 'b';
    4. }

    The result of a generator function is called a generator object. It is more than just an iterable, but that is beyond the scope of this book (consult if you are interested in further details).

    In order to use genFunc2(), we must first create the generator object genObj. genFunc2() is now paused “before” its body.

    1. const genObj = genFunc2();
    2. assert.equal(location, 0);

    genObj implements . Therefore, we control the execution of genFunc2() via genObj.next(). Calling that method, resumes the paused genFunc2() and executes it until there is a yield. Then execution pauses and .next() returns the operand of the yield:

    1. assert.deepEqual(
    2. // genFunc2() is now paused directly after the first `yield`:

    We call genObj.next() again and execution continues where we previously paused. Once we encounter the second yield, genFunc2() is paused and .next() returns the yielded value 'b'.

    1. assert.deepEqual(
    2. // genFunc2() is now paused directly after the second `yield`:

    We call genObj.next() one more time and execution continues until it leaves the body of genFunc2():

    This time, property .done of the result of .next() is true, which means that the iterable is finished.

    35.1.3. Why does yield pause execution?

    What are the benefits of yield pausing execution? Why doesn’t it simply work like the Array method .push() and fill the iterable with values – without pausing?

    Due to pausing, generators provide many of the features of coroutines (think processes that are multitasked cooperatively). For example, when you ask for the next value of an iterable, that value is computed lazily (on demand). The following two generator functions demonstrate what that means.

    1. * Returns an iterable over lines
    2. yield 'Another line';
    3. }
    4. /**
    5. * Output: iterable over numbered lines
    6. function* numberLines(lineIterable) {
    7. for (const line of lineIterable) { // input
    8. lineNumber++;
    9. }

    Note that the yield inside numberLines() appears inside a for-of loop. yield can be used inside loops, but not inside callbacks (more on that later).

    Let’s combine both generators to produce the iterable numberedLines:

    1. assert.deepEqual(
    2. assert.deepEqual(

    Every time we ask numberedLines for another value via .next(), numberLines() only asks genLines() for a single line and numbers it. If genLines() were to synchronously read its lines from a large file, we would be able to retrieve the first numbered line as soon as it is read from the file. If yield didn’t pause, we’d have to wait until genLines() is completely finished with reading.

    35.1.4. Example: Mapping over iterables

    The following function mapIter() is similar to Array.from(), but it returns an iterable, not an Array and produces its results on demand.

    1. let index = 0;
    2. yield func(x, index);
    3. }
    4. assert.deepEqual([...iterable], ['aa', 'bb']);

    35.2.1. Calling generators via yield*

    Let’s first examine what does not work: In the following example, we’d like foo() to call bar(), so that the latter yields two values for the former. Alas, a naive approach fails:

    1. // Nothing happens if we call `bar()`:
    2. }
    3. yield 'a';
    4. }
    5. [...foo()], []);

    Why doesn’t this work? The function call bar() returns an iterable, which we ignore.

    What we want is for foo() to yield everything that is yielded by bar(). That’s what the yield* operator does:

    1. yield* bar();
    2. function* bar() {
    3. yield 'b';
    4. assert.deepEqual(

    In other words, the previous foo() is roughly equivalent to:

    Note that yield* works with any iterable:

    1. yield* [1, 2];
    2. assert.deepEqual(

    35.2.2. Example: Iterating over a tree

    yield* lets us make recursive calls in generators, which is useful when iterating over recursive data structures such as trees. Take, for example, the following data structure for binary trees.

    1. constructor(value, left=null, right=null) {
    2. this.right = right;
    3. * [Symbol.iterator]() {
    4. if (this.left) {
    5. yield* this.left;
    6. if (this.right) {
    7. }
    8. }

    Method adds support for the iteration protocol, which means that we can use a for-of loop to iterate over an instance of BinaryTree:

    1. const tree = new BinaryTree('a',
    2. new BinaryTree('c'),
    3. new BinaryTree('e'));
    4. for (const x of tree) {
    5. }
    6. // 'a'
    7. // 'c'
    8. // 'e'

    One important use case for generators is extracting and reusing loop functionality.

    35.3.1. The loop to reuse

    As an example, consider the following function that iterates over a tree of files and logs their paths (it uses the Node.js API for doing so):

    1. for (const fileName of fs.readdirSync(dir)) {
    2. console.log(filePath);
    3. if (stats.isDirectory()) {
    4. }
    5. }
    6. logFiles(rootDir);

    How can we reuse this loop, to do something other than logging paths?

    35.3.2. Internal iteration (push)

    1. function iterFiles(dir, callback) {
    2. const filePath = path.resolve(dir, fileName);
    3. const stats = fs.statSync(filePath);
    4. iterFiles(filePath, callback);
    5. }
    6. const rootDir = process.argv[2];
    7. iterFiles(rootDir, p => paths.push(p));

    35.3.3. External iteration (pull)

    Another way of reusing iteration code is via external iteration: We can write a generator that yields all iterated values.

    • The result of yield* is whatever is returned by its operand. For details, consult .