之前有没有人注意到这种行为?这真的让我失望......我原本希望原型数组对每个类实例都是私有的,而不是在所有类实例之间共享。
有人可以验证这是正确的行为,并且可能更详细地解释这种行为吗?
注意注释的代码以及它如何影响脚本的行为。
<html>
<head>
<script type="text/javascript">
function print_r( title, object ) {
var output = '';
for( var key in object ) {
output += key + ": " + object[ key ] + "\n";
}
output = title + "\n\n" + output;
alert( output );
}
function Sandwich() {
// Uncomment this to fix the problem
//this.ingredients = [];
}
Sandwich.prototype = {
"ingredients" : [],
"addIngredients" : function( ingArray ) {
for( var key in ingArray ) {
this.addIngredient( ingArray[ key ] );
}
},
"addIngredient" : function( thing ) {
this.ingredients.push( thing );
}
}
var cheeseburger = new Sandwich();
cheeseburger.addIngredients( [ "burger", "cheese" ] );
var blt = new Sandwich();
blt.addIngredients( [ "bacon", "lettuce", "tomato" ] );
var spicy_chicken_sandwich = new Sandwich();
spicy_chicken_sandwich.addIngredients( [ "spicy chicken pattie", "lettuce", "tomato", "honey dijon mayo", "love" ] );
var onLoad = function() {
print_r( "Cheeseburger contains:", cheeseburger.ingredients );
};
</script>
</head>
<body onload="onLoad();">
</body>
</html>
非常感谢。
答案 0 :(得分:33)
对象的原型只是一个对象。原型属性在从该对象继承的所有对象之间共享。如果您创建“类”的新实例(JS中不存在类),则不会创建属性的副本,即从原型继承的对象。
它只会对您使用这些继承属性的方式产生影响:
function Foo() {}
Foo.prototype = {
array: [],
func: function() {}
}
a = new Foo();
b = new Foo();
a.array.push('bar');
console.log(b.array); // prints ["bar"]
b.func.bar = 'baz';
console.log(a.func.bar); // prints baz
在所有这些情况下,您始终使用相同的对象。
但是如果将赋值给对象的属性,则该属性将在对象本身上设置/创建,而不是其原型,因此不会共享:
console.log(a.hasOwnProperty('array')); // prints false
console.log(a.array); // prints ["bar"]
a.array = ['foo'];
console.log(a.hasOwnProperty('array')); // prints true
console.log(a.array); // prints ["foo"]
console.log(b.array); // prints ["bar"]
如果要为每个实例创建自己的数组,则必须在构造函数中定义它:
function Foo() {
this.array = [];
}
因为在这里,this
指的是您致电new
时生成的new Foo()
对象。
经验法则是:实例 - 特定数据应分配给构造函数中的实例,共享数据(如方法)应分配给原型。
您可能需要阅读Details of the object model,其中介绍了基于类的语言与基于原型的语言之间的差异以及对象的实际工作方式。
<强>更新强>
您可以通过Object.getPrototypeOf(obj)
访问对象的原型(可能无法在非常旧的浏览器中使用),Object.getPrototypeOf(a) === Object.getPrototypeOf(b)
会为您提供true
。它是同一个对象,也称为Foo.prototype
。
答案 1 :(得分:1)
行为是正确的。
[]
在运行时被转换为new Array()
,但只创建了一个这样的数组。
换句话说,Obj.prototype = {...}
的执行方式与任何其他任务一样。
答案 2 :(得分:-1)
执行var exp1 = new C()
时,JavaScript会设置exp1.[[Prototype]] = C.prototype
。然后,当您访问实例的属性时,JavaScript首先检查它们是否直接存在于该对象上,如果不存在,则会查看[[Prototype]]
。这意味着您在原型中定义的所有内容都会被所有实例有效共享,您甚至可以稍后更改原型的各个部分,并使更改显示在所有现有实例中。