在ES6中,foreach
循環是無法直接終止的,因為它沒有內置的終止機制。然而,你可以使用for...of
循環或some
方法來實現類似的功能。
使用for...of
循環時,你可以使用break
關鍵字來終止循環,例如:
const array = [1, 2, 3, 4, 5];
for (const item of array) {
if (item === 3) {
break; // 終止循環
}
console.log(item);
}
使用some
方法時,當回調函數返回true
時,循環將會被終止,例如:
const array = [1, 2, 3, 4, 5];
array.some((item) => {
if (item === 3) {
return true; // 終止循環
}
console.log(item);
});
需要注意的是,for...of
循環和some
方法都只能終止當前循環,而無法直接終止外層循環。如果你需要終止外層循環,你可以使用label
語句來實現,例如:
outerLoop: for (const item1 of array1) {
for (const item2 of array2) {
if (item2 === 3) {
break outerLoop; // 終止外層循環
}
console.log(item1, item2);
}
}