如果这个问题太模糊,请知道,我会将其删除或尝试添加更多代码示例,谢谢!
这篇文章的灵感来自Yehuta Katz' article on "Understanding Prototypes"
在Javascript中,您可以使用Object.create()
来使用原型,这将产生一种依赖/继承,就像在许多OOP语言中看到的那样。如果将null
的参数传递给create()
方法,则此新对象将是顶级对象,与Object.prototype
的级别相同。
现在,也许这只是我多年的Java和C#,但什么时候会创建一个顶级对象?如果您对Object.prototype
中的字段/方法不满意,为什么不直接扩展它并创建自己的伪顶级对象?
示例:
在此示例中,person是顶级对象。因此,它没有继承Object.prototype
中包含的标准方法,例如toString()
,hasOwnProperty()
,valueOf()
等。
var person = Object.create(null);
// instead of using defineProperty and specifying writable,
// configurable, and enumerable, we can just assign the
// value directly and JavaScript will take care of the rest
person['fullName'] = function() {
return this.firstName + ' ' + this.lastName;
};
// this time, let's make man's prototype person, so all
// men share the fullName function
var man = Object.create(person);
man['sex'] = "male";
var yehuda = Object.create(man);
yehuda['firstName'] = "Yehuda";
yehuda['lastName'] = "Katz";
yehuda.sex // "male"
yehuda.fullName() // "Yehuda Katz"
答案 0 :(得分:2)
正如您所说,构造{}
或new Object
会产生一个具有原型的对象。使用Object.create(null)
构造一个具有空原型的对象,因此没有继承的成员。
我能想到的一个好用例是当你真正需要一个绝对无成员的对象时,例如,执行一个安全的迭代:
for(var key in obj) {
/*
in normal conditions, you must ensure that object hasOwnProperty(key)
so you know you're iterating on actual members.
*/
if (obj.hasOwnProperty(key)) {
console.log("key: " + key + "; value: " + obj[key]);
}
}
但是通过这种方法,您可以确保没有任何原型,因此默认情况下每个属性都是自己的。
obj = Object.create(null);
//to-do populate your object keys here, treating it like a hash instead of an object.
for(var key in obj) {
/*
this operation is safe and also this object is safe to be populated
in server-side javascript (e.g. nodejs) via a POST request.
a common use case is to SERIALIZE this object quickly, while the
previous IF could provide some overhead.
*/
console.log("key: " + key + "; value: " + obj[key]);
}
因此,您可以安全地将对象视为哈希并按照我的说法进行迭代,只保留真实数据。
另一个可能的用例是当你想从头开始构建自己的原型时(甚至是toString函数或者不在Object原型中定义某些函数)并创建一个全新的层次结构。这可能只对框架有用。它有点麻烦,但在OOP方法中可能有用。