枚举:是指对象中的属性可以遍历出来,再简单点就是属性可以列举出来。
可枚举性决定了这个属性能否被for…in查找遍历到。
js中基本包装类型的原型属性是不可枚举的,如Object, Array, Number等,如果你写出这样的代码遍历其中的属性:
var num = new Number();
for(var pro in num) {
console.log("num." + pro + " = " + num[pro]);
}
它的输出结果会是空。这是因为Number中内置的属性是不可枚举的,所以不能被for…in访问到。
枚举性的作用:
1、for…in
2、Object.keys()
3、JSON.stringify()
那么什么样的属性是可枚举属性呢?
1、通过Object.defineProperty()方法加的可枚举属性
enumerable: true 可枚举
let o = {a: 1, b: 2}
Object.defineProperty(o, 'c', {
value: 3,
enumerable: true
})
for (let key in o) {
console.log(o[key])
}
/*输出*/
// 1
// 2
// 3
console.log(Object.keys(o))
// ["a", "b", "c"]
console.log(JSON.stringify(o))
// {"a":1,"b":2,"c":3}
enumerable: false 不可枚举
let o = {a: 1, b: 2}
Object.defineProperty(o, 'c', {
value: 3,
enumerable: false
})
for (let key in o) {
console.log(o[key])
}
/*输出*/
// 1
// 2
console.log(Object.keys(o))
// ["a", "b"]
console.log(JSON.stringify(o))
// {"a":1,"b":2}
2、或者通过原型对象绑定的可以枚举属性(这种枚举类型只有for…in方法可以访问到)
function Person () {
this.name = 'Lily'
this.gender = '女'
}
Person.prototype.age = 24
let people = new Person()
for (let key in people) {
console.log(people[key])
}
/*输出*/
// Lily
// 女
// 4
console.log(Object.keys(o)) // ["Lily", "女"]
console.log(JSON.stringify(people)) // {"name":"Lily","gender":"女"}