forEach、for in 、 for of三者的区别
作者:互联网
在开发过程中经常需要循环遍历数组或者对象,forEach
、for in
、 for of
这三种方法使用最多 但却一值傻傻分不清楚。。今天来一个大区分
for循环
其实除了这三种方法以外还有一种最原始的遍历,自Javascript诞生起就一直用的 就是for循环,它用来遍历数组
var arr = [1,2,3,4]
for(var i = 0 ; i< arr.length ; i++){
console.log(arr[i])
}
forEach
从ES5
开始 Javascript
内置了forEach
方法 用来遍历数组
let arr = ['a', 'b', 'c', 'd']
arr.forEach(function (val, idx, arr) {
console.log(val + ', index = ' + idx) // val是当前元素,index当前元素索引,arr数组
console.log(arr)
})
}
输出结果:
a, index = 0
(4) ["a", "b", "c", "d"]
b, index = 1
(4) ["a", "b", "c", "d"]
c, index = 2
(4) ["a", "b", "c", "d"]
d, index = 3
(4) ["a", "b", "c", "d"]
写法简单了很多,但是也存在一个局限 就是你不能中断循环(使用break
语句或使用return
语句)。
for…in
for-in
循环实际是为循环”enumerable“
对象而设计的
let obj = {a: '1', b: '2', c: '3', d: '4'}
for (let o in obj) {
console.log(o) //遍历的实际上是对象的属性名称 a,b,c,d
console.log(obj[o]) //这个才是属性对应的值1,2,3,4
}
for - in 也可用来循环数组,但一般并不推荐
for...of
它是ES6增加的语法
循环一个数组
let arr = ['China', 'America', 'Korea']
for (let o of arr) {
console.log(o) //China, America, Korea
}
但是它并不能循环一个普通对象
let obj = {a: '1', b: '2', c: '3', d: '4'}
for (let o of obj) {
console.log(o) //Uncaught TypeError: obj[Symbol.iterator] is not a function
}
但是可以循环一个拥有enumerable
属性的对象。
如果我们按对象所拥有的属性进行循环,可使用内置的Object.keys()
方法
let obj = {a: '1', b: '2', c: '3', d: '4'}
for (let o of Object.keys(obj)) {
console.log(o) // a,b,c,d
}
如果我们按对象所拥有的属性值进行循环,可使用内置的Object.values()
方法
let obj = {a: '1', b: '2', c: '3', d: '4'}
for (let o of Object.values(obj)) {
console.log(o) // 1,2,3,4
}
循环一个字符串
let str = 'love'
for (let o of str) {
console.log(o) // l,o,v,e
}
循环一个Map
let iterable = new Map([["a", 1], ["b", 2], ["c", 3]]);
for (let [key, value] of iterable) {
console.log(value);
}
// 1
// 2
// 3
for (let entry of iterable) {
console.log(entry);
}
// [a, 1]
// [b, 2]
// [c, 3]
循环一个Set
let iterable = new Set([1, 1, 2, 2, 3, 3]);
for (let value of iterable) {
console.log(value);
}
// 1
// 2
// 3
循环一个类型化数组
let iterable = new Uint8Array([0x00, 0xff]);
for (let value of iterable) {
console.log(value);
}
// 0
// 255
标签:arr,console,log,区别,循环,let,forEach,obj,三者 来源: https://blog.csdn.net/z591102/article/details/114089669