Javascript教程(七)iterable

weixin_34292287發表於2018-05-22

陣列的遍歷可以使用下標,但是Map,Set無法使用下標遍歷。
ES6標準引入了新的iterable型別,ArrayMapSet都屬於iterable型別
具有iterable型別的集合可以通過新的for ... of迴圈來遍歷

1. for ... of

var a = ['A', 'B', 'C'];                          //一個陣列
var s = new Set(['A', 'B', 'C']);                 //一個Set
var m = new Map([[1, 'x'], [2, 'y'], [3, 'z']]);  //一個Map
for (var x of a) { // 遍歷Array
    console.log(x);
}
for (var x of s) { // 遍歷Set
    console.log(x);
}
for (var x of m) { // 遍歷Map
    console.log(x[0] + '=' + x[1]);
}

2. forEach
forEach方法是iterable內建的,它接收一個函式,每次迭代就自動回撥該函式。
陣列:

var a = ['A', 'B', 'C'];
a.forEach(function (element, index, array) {
    // element: 指向當前元素的值
    // index: 指向當前索引
    // array: 指向Array物件本身
    console.log(element + ', index = ' + index);  
      //A, index = 0   
      //B, index = 1 
      //C, index = 2
});

map:
map的回撥函式引數依次為value、key和map本身:

var m = new Map([[1, 'x'], [2, 'y'], [3, 'z']]);
m.forEach(function (value, key, map) {
    console.log(value);
});

set:
Set沒有索引,因此回撥函式的前兩個引數都是元素本身

var s = new Set(['A', 'B', 'C']);
s.forEach(function (element, sameElement, set) {
    console.log(element);
});

相關文章