代码如下:
function Animal(){}
function Dog (age){
this.name = 'fuck you' ;
this.age = age
}
var dog = new Dog(12);
console.log(dog); //{name: "fuck you", age: 12}
Dog.prototype = Animal;
var dog2 = new Dog(12);
console.log(dog2);//{age: 12}
dog2对象的name属性不见了,why?
概念:
在segmentfault社区找到相关概念:
当为一个对象属性赋值是要遵循以下规则:
- 当对象的原型链中的原型对象上有对应的属性名,但是其是只读的,那么对象属性的赋值操作无效;
- 当对象的原型链中的原型对象上有对应的属性名,但是其是可写的,且设置了set方法,那么对象属性的赋值操作无效,转而调用调用原型对象中的属性的set方法;
- 当对象的原型链中的原型对象上有没有对应的属性名,那么直接在当前对象上添加这个属性(如果没有这个属性)并赋值。
解读:
Object.getOwnPropertyNames(Animal)
//["length", "name", "arguments", "caller", "prototype"]
//Animal有上述5个属性
Object.getOwnPropertyDescriptor(Animal, 'name')
//Object {value: "Animal", writable: false, enumerable: false, configurable: true}
//属性'name'只读,所以再次赋值无效
//通过知道属性只读,对象属性赋值操作无效,那么我们可以更改name的property-wirteable为true,如下
Object.defineProperty(Animal, 'name', {writable: true})
Object.getOwnPropertyDescriptor(Animal, 'name')
//Object {value: "Animal", writable: true, enumerable: false, configurable: true}
var dog3 = new Dog(13)
//Dog {name: "fuck you", age: 13}
//属性enumerable都为false,所以for in遍历不出来
Object.keys(Animal) //[]
//用ES6的Reflect
Reflect.ownKeys(Animal)
//["length", "name", "arguments", "caller", "prototype"]
Reflect.has(Animal,'name') //true