我最近一直在使用 JavaScript,并创建了一些大型函数集合。我发现需要有子功能,我想从主库中分离出来,但仍然包含在主库中,但还没有找到足够优雅的方法来做到这一点。
这是我目前使用的几个示例
所以我通常像这样设置我的主库
// Main library
var animals = function(settings){
// Main library stuff
}
添加单独封装但仍属于主库的子类/子功能...
这是第一种使用对象文字表示法的方法
animals.prototype.dogs = {
addDog: function(){
// Can only access the dogs object
var test = this;
},
removeDog: function(){}
}
// Usage of the whole thing
var animalsInstance = new animals({a: 1, b: 3});
animalsInstance.dogs.addDog();
虽然我真的很喜欢 this 的语法,但我永远无法真正使用它,因为无法在 dogs 对象内的任何函数中引用动物实例。所以我想出了这个符号作为替代
animals.prototype.dogs = function(){
var parent = this;
return {
addDog: function(){
// The animals instance
var test = parent;
// The dogs instance
var test2 = this;
},
removeDog: function(){}
}
}
// Usage
var animalsInstance = new animals({a: 1, b: 3});
animalsInstance.dogs().addDog();
虽然现在我可以从狗功能的所有子功能内部访问动物实例,但我不太喜欢我所做的这种有点hacky 的方式。有没有人有更清洁的方法?