我有以下模块/类和子模块设置
MyAPI.js
class MyAPI {
construction(){
this.food = require('./Food');
}
}
module.exports = MyAPI;
Food.js
class Food {
constructor(){
...
}
}
module.exports = Food;
app.js
var api = require('./MyAPI');
var taco = new api.food;
var cheeseburger = new api.food;
我想知道的是,是否可以在Food.js
内调用MyAPI属性和函数形式?我是否需要以某种方式将this
传递给要求?
this.food = require('./Food')(this); // this didn't work...
以上结果是:
TypeError: Class constructors cannot be invoked without 'new'
但为什么我会在MyAPI构造函数中使用new
?
这里做子类和子模块以及从它们创建新对象的最佳方法是什么?
答案 0 :(得分:1)
我认为你混淆了类和实例:
var MyAPI = require('./MyAPI');//this is a class
var apiInstance = new MyAPI();//the creates a new instance of your class
var taco = new apiInstance.food //the food property on your api is a class not an instance
var tacoInstance = new taco();
答案 1 :(得分:0)
this.food
在MyApi
的构造函数中分配,因此您需要实例化MyApi
才能访问该属性。
var Api = require('./MyAPI');
var apiInstance = new Api();
var foodInstance = new apiInstance.food();
从您的评论中,您似乎希望子模块可以访问MyApi的属性,尤其是config
。我没有看到这样做的方法,只是让你的顶级API对象成为单身:
var MyAPI = {
config: { setting: 'default' },
Food: require('./Food')
}
module.exports = MyAPI;
var MyApi = require('./my-api.js');
class Food {
constructor(){
// MyApi.config
}
}
module.exports = Food;
查看AWS source他们正在做类似的事情(config
除外是它自己的模块安装在顶级AWS
对象上)。