0
<script>
function * d1 (p)  {
    p-=1;
    yield p;
    p-=2;
    yield p;
}

var g=d1 (9);
var h;
console.log((h=g.next()).value+','+h.done+';');
console.log((h=g.next()).value+','+h.done+';');
console.log((h=g.next()).value+','+h.done+';');
</script>

给出 8,错误;然后 6,假;然后未定义,真;然而

<script>
function * d2 (p)     {
    function * d1 (p)     {
        p -=1 ;
        yield p;
        p -=2 ;
        yield p;
    }
    d1(p);
}
var g=d2 (9);
var h;
console.log((h=g.next()).value+','+h.done+';');
console.log((h=g.next()).value+','+h.done+';');
console.log((h=g.next()).value+','+h.done+';');
</script>

给了我三倍 undefined,true;

由于我想要 d1 的隐藏结构(作为内部函数),我怎样才能继续获得与第一个样本相同的结果?

4

2 回答 2

1

生成器d2函数不产生也不返回任何东西,所以你只会得到未定义的。

您可能希望将其称为传递p参数,并使用yield*.

function * d2 (p) {
  yield* function * d1 (p) {
    p -= 1;
    yield p;
    p -= 2;
    yield p;
  }(p);
}
于 2016-05-13T15:07:53.817 回答
0

对于复制和过去的需求:这是 Oriol 为我工作的解决方案

<script>
function * d2 (p)     {
    function * d1 (p)     {
        p -=1 ;
        yield p;
        p -=2 ;
        yield p;          }
    yield * d1(p);    }
 // ^^^^^^^^ are the changes
var g=d2 (9);
var h;
console.log((h=g.next()).value+','+h.done+';');
console.log((h=g.next()).value+','+h.done+';');
console.log((h=g.next()).value+','+h.done+';');
</script>
于 2016-05-13T16:34:48.707 回答