有没有人注意到这种行为?这真的让我失望了。我希望原型数组对每个类实例都是私有的,而不是在所有类实例之间共享。
有人可以验证这是正确的行为,也许可以更详细地解释这种行为?
请注意注释的代码以及它如何影响脚本的行为。
<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>
非常感谢。
对象的原型只是一个对象。原型属性在从该对象继承的所有对象之间共享。如果您创建“类”的新实例(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()。
this
new
new Foo()
经验法则是:应将 实例* 特定的数据分配给 构造函数内部的实例,将 共享数据(如方法)分配给 原型 。 __ * __
您可能需要阅读对象模型的详细信息其中描述了基于类的语言与基于原型的语言之间的差异以及对象的实际工作方式。
更新:
您可以通过访问一个对象的原型Object.getPrototypeOf(obj)(可能无法正常工作在很老的浏览器),并Object.getPrototypeOf(a)=== Object.getPrototypeOf(b)给你true。它是同一对象,也称为Foo.prototype。
Object.getPrototypeOf(obj)
Object.getPrototypeOf(a)=== Object.getPrototypeOf(b)
true
Foo.prototype