lzx-cm

导航

for in 和 for of 的区别

for in遍历的是数组的索引(index)而for of遍历的是数组元素值(value0) 

// for in
var obj = {a:1, b:2, c:3}
    
for (let key in obj) {
  console.log(key)
}
// a b c

//for of
const array1 = ['a', 'b', 'c']
 
for (const val of array1) {
  console.log(val)
}
// a b c

先说说for in

for in更适合遍历对象,当然也可以遍历数组,但是会存在一些问题

比如:

index索引为字符串数字,不能直接进行几何运算

var arr = [1,2,3]
    
for (let index in arr) {
  let res = index + 1
  console.log(res)
}
//01 11 21

遍历顺序有可能不是按照实际数组的内部顺序

 

使用for in会便利数组所有的可枚举属性,包括原型,如果不想遍历原型方法和属性的话,可以在循环内部判断一下,使用hasOwnProperty()方法可以判断某属性是不是该对象的实例属性

var arr = [1,2,3]
Array.prototype.a = 123
    
for (let index in arr) {
  let res = arr[index]
  console.log(res)
}
//1 2 3 123

for(let index in arr) {
    if(arr.hasOwnProperty(index)){
        let res = arr[index]
          console.log(res)
    }
}
// 1 2 3

再来说说ES6中的for of

for of遍历的是数组元素值,而且for of遍历的只是数组内的元素,不包括原型属性和索引

var arr = [1,2,3]
arr.a = 123
Array.prototype.a = 123
    
for (let value of arr) {
  console.log(value)
}
//1 2 3

for of使用遍历数/数组对象/字符串/map/set等拥有迭代器的对象(iterator)的集合,但是不能遍历对象,因为没有迭代器对象,但如果想遍历对象的属性,你可以用for in

var myObject={
  a:1,
  b:2,
  c:3
}
for (var key of Object.keys(myObject)) {
  console.log(key + ": " + myObject[key]);
}
//a:1 b:2 c:3

总结

for in遍历的是数组的索引(即键名),而for of便利的是数组元素值

for in得到对象的key或数组、字符串下标

for of得到对象的value或数组、字符串的值

posted on 2022-10-29 15:31  爱吃敏敏  阅读(112)  评论(0编辑  收藏  举报