使用for of
循环遍历生成器时,是否有办法将值传递回生成器?
在下面的代码中,当我手动调用iterable.next('some value')
时,我可以传回一个值,但是for of
循环似乎在调用.next()
方法时没有任何值。
我希望我已经以一种可以理解的方式对此进行了解释。
const test = function* generator() {
const list = [1, 2, 3, 4]
for (const x of list) {
const data = yield x
console.log(data)
}
}
const iterable = test()
console.log(iterable.next())
console.log(iterable.next('test2'))
console.log('FOR OF LOOP')
for (const y of iterable) {
console.log(y)
}
答案 0 :(得分:4)
如果您想传回某些内容,则需要负责呼叫next()
,而不能仅仅将其委托给for…of
。
使用while
循环来做到这一点是很习惯的,但是您也可以使用for
循环来做到这一点。例如:
const test = function* generator() {
const list = [1, 2, 3, 4]
for (const x of list) {
const data = yield x
console.log("passed in value: ", data)
}
}
const iterable = test()
console.log('FOR OF LOOP')
let message = 0
for (let y = iterable.next(); !y.done; y = iterable.next(++message)) {
console.log(y.value)
}
或while
循环:
const test = function* generator() {
const list = [1, 2, 3, 4]
for (const x of list) {
const data = yield x
console.log("passed in value: ", data)
}
}
const iterable = test()
let message = iterable.next()
while(!message.done){
console.log(message.value)
message = iterable.next("some value")
}