用Object.definedproperties 一次性添加或修改多個屬性的特性和值。 1 <script> 2 var obj ={} 3 Object.defineProperties(obj,{ 4 x:{value:1,writalbe:true,configurable:true,enu
用Object.definedproperties 一次性添加或修改多個屬性的特性和值。
1 <script> 2 var obj ={} 3 Object.defineProperties(obj,{ 4 x:{value:1,writalbe:true,configurable:true,enumerable:true}, 5 y:{value:2,configurable:true} 6 }) 7 console.log(obj.x) //=>1 8 console.log(obj.y) //=>2 9 console.log(Object.getOwnPropertyDescriptor(obj,"x"))//得到屬性的描述 value:1 writable:true configurable:true, enumerable:true 10 console.log(Object.getOwnPropertyDescriptor(obj,"y")) // value:2 writable:false configurable:true, enumerable:false 11 obj.z=3 //這個z是通過對象字面量的方式創建的 12 console.log(Object.getOwnPropertyDescriptor(obj,"z"))//所以所有的屬性特性都為true 13 </script>
檢測對象是否是另一個對象的原型(或者處於原型鏈中)
1 <script> 2 var obj={ 3 } //此處創建了一個空對象 4 var obj1 =Object.create(obj) //用object.create創建了一個新對象,把obj作為obj1的原型 5 console.log(obj.isPrototypeOf(obj1)) //=> true 此時返回值就true,因obj是obj1的原型 6 console.log(Object.prototype.isPrototypeOf(obj))//=>true 因為object.prototype是頂級對象,是對象原型上的原型 7 console.log(Object.prototype.isPrototypeOf(obj1))//=>true 也是對象上的原型 8 </script>
對象類class是一個標識對象類型的字元串
ECMAscript3和ECMAscript5都沒有定義此方法,可以通過頂級對象的toString()方法
js的內建對象都帶有toSting方法,所以要用一個CALL回調
代碼如下,對何標識對象類型的字元串:
1 <script> 2 function classof(obj){ 3 if(obj === null){ 4 return null 5 } 6 if(obj === undefined){ 7 return undefined 8 } 9 return Object.prototype.toString.call(obj).slice(8,-1) 10 } 11 var x = null; //=>null 12 var x = undefined; //=> undefined 13 var x =true //=> boolean 14 var x = 1234; //=> number 15 var x = "this is" //=> string 16 var x = new Array() //=> arry 17 var x = new Date() //=> date 18 console.log(classof(x)) 19 </script>