Creates a generator, repeating the given value indefinitely.
- Use a non-terminating
while
loop, that willyield
a value every timeGenerator.prototype.next()
is called. - Use the return value of the
yield
statement to update the returned value if the passed value is notundefined
.
代码实现
const repeatGenerator = function* (val) {
let v = val;
while (true) {
let newV = yield v;
if (newV !== undefined) v = newV;
}
};
const repeater = repeatGenerator(5);
repeater.next(); // { value: 5, done: false }
repeater.next(); // { value: 5, done: false }
repeater.next(4); // { value: 4, done: false }
repeater.next(); // { value: 4, done: false }