我正在尝试通过 javascript 制作经典的 Collection/Instance 模型。所以 Collection 对象有一些处理完整集合的方法,并且 ((new Collection()) instanceof Instance) 有处理实例的方法。我的代码相当简单。
var Collection = function Collection() {
this.message = "collection";
var I = Instance.bind(null, this);
I.__proto__ = this;
return I;
};
Collection.prototype = {
collectionMethod: function () {
console.log(this.message);
}
};
var Instance = function Instance(collection) {
this.collection = collection;
this.message = "instance";
};
Instance.prototype = {
instanceMethod: function () {
console.log(this.message);
}
};
// Test exec (values are like expected);
var C = new Collection();
var i = new C();
C.collectionMethod(); // collection
i.instanceMethod(); // instance
i.collection.collectionMethod(); // collection
C.newMethod(); // TypeError
i.newMethod(); // TypeError
Collection.prototype.newMethod = Instance.prototype.newMethod = function () {
console.log("newMethod: " + this.message);
}
C.newMethod(); // newMethod: collection
i.newMethod(); // newMethod: instance
但我不想使用 proto,因为它不是标准的一部分,在 IE 中根本不起作用。在这种情况下有什么办法吗?
关于所有内容的一些解释。例如,您有一组用户。并且您希望能够找到用户并创建新用户。
所以你创建新的集合,比如
var User = new Collection();
然后你创建新的实例。
var me = new User({name: "alex"});
现在你发现这个实例就像
User.find_by_name("alex"); // === me
另外(实际上这是我这样做的主要原因,而不是仅仅创建类似User.new
函数来使用它var me = User.new({name: "alex"});
)你可以知道我在做什么(如果你也有var Dog = new Collection()
)
me instanceof Dog // false
me instanceof User // true