What’s the yield keyword in Javascript?

Javascript

function *fib() {
  var i = 0, j = 1;
  while (true) {
    yield i;
    var t = i;
    i = j;
    j += t;
  }
}

var g = fib();
for (var i = 0; i < 10; i++) {
  console.log(g.next().value);
}

The function containing the yield keyword is a generator. When you call it, its formal parameters are bound to actual arguments, but its body isn’t actually evaluated. Instead, a generator-iterator is returned. Each call to the generator-iterator’s next() method performs another pass through the iterative algorithm. Each step’s value is the value specified by the yield keyword. Think of yield as the generator-iterator version of return, indicating the boundary between each iteration of the algorithm. Each time you call next(), the generator code resumes from the statement following the yield.

MDN