for in 和 for of 的區別


1、for...in 循環:只能獲得對象的鍵名,不能獲得鍵值

      for...of 循環:允許遍歷獲得鍵值

  var arr = ['red', 'green', 'blue']
  
  for(let item in arr) {
    console.log('for in item', item)
  }
  /*
    for in item 0
    for in item 1
    for in item 2
  */

  for(let item of arr) {
    console.log('for of item', item)
  }
  /*
    for of item red
    for of item green
    for of item blue
  */

 

2、對於普通對象,沒有部署原生的 iterator 接口,直接使用 for...of 會報錯

 var obj = {
    'name': 'Jim Green',
    'age': 12
  }

  for(let key of obj) {
    console.log('for of obj', key)
  }
  // Uncaught TypeError: obj is not iterable

可以使用 for...in 循環遍歷鍵名

 for(let key in obj) {
    console.log('for in key', key)
  }
  /*
    for in key name
    for in key age
  */

也可以使用 Object.keys(obj) 方法將對象的鍵名生成一個數組,然后遍歷這個數組

 for(let key of Object.keys(obj)) {
    console.log('key', key)
  }
  /*
    key name
    key age
  */

 

3、for...in 循環不僅遍歷數字鍵名,還會遍歷手動添加的其它鍵,甚至包括原型鏈上的鍵。for...of 則不會這樣

  let arr = [1, 2, 3]
  arr.set = 'world'  // 手動添加的鍵
  Array.prototype.name = 'hello'  // 原型鏈上的鍵

  for(let item in arr) {
    console.log('item', item)
  }

  /*
    item 0
    item 1
    item 2
    item set
    item name
  */

  for(let value of arr) {
    console.log('value', value)
  }

  /*
    value 1
    value 2
    value 3
  */

 

4、forEach 循環無法中途跳出,break 命令或 return 命令都不能奏效

  let arr = [1, 2, 3, 5, 9]
  arr.forEach(item => {
    if(item % 2 === 0) {
      return
    }
    console.log('item', item)
  })
  /*
    item 1
    item 3
    item 5
    item 9
  */

for...of 循環可以與break、continue 和 return 配合使用,跳出循環

 for(let item of arr) {
    if(item % 2 === 0) {
      break
    }
    console.log('item', item)
  }
  // item 1

 

5、無論是 for...in 還是 for...of 都不能遍歷出 Symbol 類型的值,遍歷 Symbol 類型的值需要用 Object.getOwnPropertySymbols() 方法

{
  let a = Symbol('a')
  let b = Symbol('b')

  let obj = {
    [a]: 'hello',
    [b]: 'world',
    c: 'es6',
    d: 'dom'
  }

  for(let key in obj) {
    console.info(key + ' --> ' + obj[key])
  }

  /*
    c --> es6
    d --> dom
  */

  let objSymbols = Object.getOwnPropertySymbols(obj)
  console.info(objSymbols)    //  [Symbol(a), Symbol(b)]
  objSymbols.forEach(item => {
    console.info(item.toString() + ' --> ' + obj[item])
  })

  /*
    Symbol(a) --> hello
    Symbol(b) --> world
  */

  // Reflect.ownKeys 方法可以返回所有類型的鍵名,包括常規鍵名和Symbol鍵名
  let keyArray = Reflect.ownKeys(obj)
  console.log(keyArray)      //  ["c", "d", Symbol(a), Symbol(b)]
}

 

總之,for...in 循環主要是為了遍歷對象而生,不適用於遍歷數組

for...of 循環可以用來遍歷數組、類數組對象,字符串、Set、Map 以及 Generator 對象


免責聲明!

本站轉載的文章為個人學習借鑒使用,本站對版權不負任何法律責任。如果侵犯了您的隱私權益,請聯系本站郵箱yoyou2525@163.com刪除。



 
粵ICP備18138465號   © 2018-2025 CODEPRJ.COM