1.将json对象转化为json字符串,再判断该字符串是否为"{}"
let obj = {}
console.log(JSON.stringify(obj) == "{}"); //true
2.for in 循环判断
let obj = {}
let b = function() {
for(let key in obj) {
return false;
}
return true;
}
console.log(b()); //true
3. Jquery 的isEmptyObject 方法
此方法是jQuery将2方法(for in)进行封装,使用时需要依赖jQuery
let obj = {}
let b = $.isEmptyObject(obj);
console.log(b); //true
function isEmptyObject(obj) {
for (var key in obj) {
return false;
}
return true;
}
4. Object.getOwnPropertyNames()方法
此方法是使用Object 对象的Object.getOwnPropertyNames()方法,获取到对象中的属性名,存到一个数组中,返回数组对象,我们可以通过判断数组的length来判断此对象是否为空。
注意:此方法不兼容IE8
let obj = {}
let b = Object.getOwnPropertyNames(obj)
console.log(b.length == 0); //true
var arr = ["a", "b", "c"];
console.log(Object.getOwnPropertyNames(arr).sort()); // ["0", "1", "2", "length"]
// 类数组对象
var obj = { 0: "a", 1: "b", 2: "c"};
console.log(Object.getOwnPropertyNames(obj).sort()); // ["0", "1", "2"]
// 使用Array.forEach输出属性名和属性值
Object.getOwnPropertyNames(obj).forEach(function(val, idx, array) {
console.log(val + " -> " + obj[val]);
}); // 0 -> a // 1 -> b // 2 -> c
//不可枚举属性
var my_obj = Object.create({}, {
getFoo: {
value: function() { return this.foo; },
enumerable: false
}
});
my_obj.foo = 1;
console.log(Object.getOwnPropertyNames(my_obj).sort()); // ["foo", "getFoo"]
5. 使用es6的Object.keys()方法
与4方法类似,是ES6的新方法,返回值也是对象中属性名组成的数组。
let obj = {}
let arr = Object.keys(obj)
console.log(arr.length == 0); //true