js11----对象成员检测

97 阅读1分钟

1.instanceof

instanceof:判断该对象是否为另一个对象的实例

   function  Parent() {

    }
    function  Child() {
    }
    var child=new Child()
    console.log(child instanceof Parent); //false 
    console.log(child instanceof Child); //true  
    

image.png

   function  Parent() {
    }
    function  Child() {

    }
    Child.prototype=new Parent()
    var child=new Child()
    console.log(child instanceof Parent); //true 
    console.log(child instanceof Child); //true  
    

image.png

2.isPrototypeOf()

isPrototypeOf:判断一个对象是否为一个实例的原型

function  Parent() {				
    }
    function  Child() {				
    }
    Child.prototype=new Parent()
       var c1=new Child()			
    console.log(Parent.prototype.isPrototypeOf(c1)); //true
    console.log(Child.prototype.isPrototypeOf(c1)); //true
    console.log(Child.isPrototypeOf(c1));
    

image.png

3.hasOwnProperty()

hasOwnProperty:判断对象是否有某个特定的属性,(注意说的是对象的属性,而不是对象原型的属性)必须用字符串指定该属性。

 function  Parent() {
    	this.life=1
    }
    function  Child() {	
    	this.name="karen"
    }
    Child.prototype=new Parent()
    var c1=new Child()

    console.log(c1.hasOwnProperty("name"))	   
    console.log(c1.hasOwnProperty("life"))	
    

image.png

4.propertyIsEnumerable()

propertyIsEnumerable():判断给定的属性是否可以用 for...in 语句进行枚举。由于 for ... in 枚举是包含原型链上的属性的,但propertyIsEnumerable作用于原型方法上时,始终是返回false的,你可以这么认为,for...in可以枚举对象本身的属性和原型上的属性,而propertyIsEnumerable只能判断本身的属性是否可以枚举。此外,预定义的属性不是可列举的,而用户定义的属性总是可列举的。所以如果你只想遍历对象本身的属性,可以:

for (var key in obj) {

if (obj.propertyIsEnumerable(key) {

console.log(key)

}

}