var Person = function(name, age){
return Object.create(Object.prototype, {
name: {
value: name | "",
writable: true,
enumerable: true,
configurable: true
},
age: {
value: age | "",
writable: true,
enumerable: true,
configurable: true
}
});
};
var Boy = function(name, age){
return Object.create(Person(name, age), {
gender: {
value: "male"
}
});
};
var p = Person("John", 28);
var b = Boy();
console.log(p.isPrototypeOf(b)); // false?
我正在尝试理解object.create以及如何最好地使用它,避免使用构造函数new
关键字。到目前为止,我正在如上所述接近它(尽管可能不是最好的方法,只是反复试验( - 并且遇到如果我使用object.create
我将无法再检查instanceof
和对象类型。
有人建议使用 isPrototypeOf 进行检查 - 我做错了什么,因为我上面的代码在检查时返回false
。
有人愿意解释我哪里出错了吗?我对javascript中的原型继承仍然很陌生。
当然,p 不是 b 的原型。
这是因为 Person
函数每次都会返回一个新对象。
尝试以下操作
var Boy = function(person, name, age){
return Object.create(person, {
gender: {
value: "male"
}
});
};
var p = Person("John", 28);
var b = Boy(p);
assert(p.isPrototypeOf(b))