0

考虑这段代码:

function foo(a) {
  console.log("Mul =", a);
  return a * 2;
};

function * process(start) {
  // next() #1
  var result = start;

  console.log("Pre-processing =", result);
  result = yield foo(result);
  // next() #2
  console.log("Process result 1 =", result);
  result = yield foo(result);
  // next() #3
  console.log("Process result 2 =", result);
  result = yield foo(result);
  // next() #4
  console.log("Process result 3 =", result);

  return foo(result);
}

var it = process(1);
console.log("#1");
console.log("Next 1 =", /*#1*/it.next("bar"));
console.log("#2");
console.log("Next 2 =", /*#2*/it.next(3));
console.log("#3");
console.log("Next 3 =", /*#3*/it.next(7));
console.log("#4");
console.log("Next 4 =", /*#4*/it.next(15));

和输出

#1
Pre-processing = 1
Mul = 1
Next 1 = { value: 2, done: false }
#2
Process result 1 = 3
Mul = 3
Next 2 = { value: 6, done: false }
#3
Process result 2 = 7
Mul = 7
Next 3 = { value: 14, done: false }
#4
Process result 3 = 15
Mul = 15
Next 4 = { value: 30, done: true }

为什么第一次调用完全it.next()跳过参数(在上面的代码中"bar")?或者,换句话说,为什么后续调用中的行为会有所不同?我本来希望调用生成器函数会跳过参数,并且调用next()实际上会初始化迭代器,使过程更加连贯,不是吗?

4

1 回答 1

4

在草案中:

经过更多研究,答案就在 Harmony 的草稿中(参见 wiki:http ://wiki.ecmascript.org/doku.php?id=harmony:generators#methodnext )。

next应该没有论据。但是,似乎next用一个参数调用就等于send用一个参数调用。答案就在这里。send旨在在第一次调用时抛出错误(没有next先验)。

所以基本上,你不应该通过传递一个参数来“初始化”你的迭代器,next因为你没有被授权这样做。

在实现中:

但是,这只是规范。总结一下作为评论所说的内容,至少有两个原因导致您不能将参数传递给您的第一个参数,next而必须将其传递给您的生成器。

第一个是你需要一些方法来实际得到这个论点。你不能像下一次电话那样做let myVar = yield myValue
第二个是next只接受一个参数,这是相当有限的,而你可以在生成迭代器时将无限数量的参数传递给你的生成器。

然而,这只是目前正在发生的事情。没有什么说草案或实施不会改变。我们当然可以想象send接受任意数量的参数(没有理由,嘿,谁知道呢),并能够将其转换为生成器的参数。管他呢。

于 2014-01-08T16:23:00.547 回答