Creates a generator, looping over the given array indefinitely.
while
loop, that will yield
a value every time Generator.prototype.next()
is called.%
) with Array.prototype.length
to get the next value's index and increment the counter after each yield
statement.const cycleGenerator = function* (arr) {
let i = 0;
while (true) {
yield arr[i % arr.length];
i++;
}
};
const binaryCycle = cycleGenerator([0, 1]);
binaryCycle.next(); // { value: 0, done: false }
binaryCycle.next(); // { value: 1, done: false }
binaryCycle.next(); // { value: 0, done: false }
binaryCycle.next(); // { value: 1, done: false }
Snippet collection
JavaScript generator functions are a more advanced yet very powerful JavaScript ES6 feature, which you can start using in your code right now.
JavaScript, Function
Creates a generator, repeating the given value indefinitely.
JavaScript, Function
Creates a generator, that generates all values in the given range using the given step.
JavaScript, Function
Creates a generator, that keeps producing new values until the given condition is met.