according to ECMAScript specification an object implementing the Iterator Interface must have the next
method, but there are also optional return
and throw
methods (see the specs here: https://tc39.es/ecma262/#sec-iteration)
giving an example code in the snippet why is the throw
method never called in the for-of loop, yet the return
method is called instead?
class Iterable {
constructor(name) {
this.name = name;
}
[Symbol.iterator]() {
let done = false;
function implementation() {
if (done) {
return {
done: true,
value: undefined,
};
}
done = true;
return {
done: false,
value: undefined,
};
}
return {
next: (...args) => {
console.log(
`${this.name}: next called, done=${JSON.stringify(
done
)}, args=${JSON.stringify(args)}`
);
return implementation();
},
return: (...args) => {
console.log(
`${this.name}: return called, done=${JSON.stringify(
done
)}, args=${JSON.stringify(args)}`
);
return implementation();
},
throw: (...args) => {
console.log(
`${this.name}: throw called, done=${JSON.stringify(
done
)}, args=${JSON.stringify(args)}`
);
return implementation();
},
};
}
}
(() => {
for (const item of new Iterable("standard")) {
// pass
}
})();
(() => {
for (const item of new Iterable("return")) {
return "test";
}
})();
(() => {
for (const item of new Iterable("break")) {
break;
}
})();
(() => {
for (const item of new Iterable("continue")) {
continue;
}
})();
(() => {
try {
for (const item of new Iterable("throw")) {
throw new Error(`${item}`);
}
} catch {
// pass
}
})();
console output:
standard: next called, done=false, args=[]
standard: next called, done=true, args=[]
return: next called, done=false, args=[]
return: return called, done=true, args=[]
break: next called, done=false, args=[]
break: return called, done=true, args=[]
continue: next called, done=false, args=[]
continue: next called, done=true, args=[]
throw: next called, done=false, args=[]
throw: return called, done=true, args=[]