我正在尝试将模板自动连接到inversifyjs容器,但无论我尝试它还是不起作用。请帮帮忙?
private templates = [
{file: './component.html.tpl', obj: 'HtmlTemplate'},
{file: './component.tpl.ts', obj: 'ComponentTemplate'}
];
private container = new Container();
bind(){
// original and working code
// this.container.bind<ITemplate>('HtmlTemplate').to(HtmlTemplate);
// this.container.bind<ITemplate>('ComponentTemplate').to(ComponentTemplate);
this.templates.forEach(template => {
import(template.file).then(mod => {
console.log(mod.default, template);
// is this correct (seems to work) =>
this.container.bind<ITemplate>(template.obj).to(mod.default);
console.log('bound =>', mod.default);
});
});
}
和文件./component.html.tpl
@injectable() export default class HtmlTemplate implements ITemplate { ... }
和./component.ts.tpl
@injectable() export default class ComponentTemplate implements ITemplate { ... }
哪些日志完全按照预期的那样记录到控制台:
[Function: HtmlTemplate] { file: './component.html.tpl', obj: 'HtmlTemplate' }
[Function: ComponentTemplate] { file: './component.tpl.ts', obj: 'ComponentTemplate' }
但我真的期望foreach声明中的代码:
this.container.bind<ITemplate>(template.obj).to(mod.default);
等同于:
this.container.bind<HtmlTemplate>('HtmlTemplate').to(HtmlTemplate);
this.container.bind<ComponentTemplate>('ComponentTemplate').to(ComponentTemplate);
但是当我尝试在另一个循环中解决它时:
this.templates.forEach(template => {
const tpl = this.container.get<ITemplate>(template.obj);
...
它会抛出错误:
Error: No matching bindings found for serviceIdentifier HtmlTemplate
任何人都知道如何解决这个问题?
答案 0 :(得分:1)
代码存在控制流问题。有承诺没有链接,这是反模式。这导致低效的错误处理和竞争条件。
每一个承诺都应该被束缚。由于以下几个原因,在ES6中不鼓励使用forEach
,其中之一是它需要额外的操作才能使用promises,并且不能很好地处理生成器和async
函数。代码可以占用大多数async
函数并进行重构,以使控制流清洁高效:
async bind(){
for (const template of this.templates)
const mod = await import(template.file);
this.container.bind<ITemplate>(template.obj).to(mod.default);
}
}
使用bind
的代码应链接它并避免构建反模式:
async bind() {
// binding for when the widget is needed;
for (const component of this.components)
component.widget = this.container.get<Widget>(component.name);
if(component.widget) {
await component.widget.configure();
await component.widget.bind();
} else {
console.error(`widget ${component.name} not resolved`);
}
});
return this;
}
更有效的方法是丢弃异步初始化例程,因为唯一需要它的是动态import()
。可以使用同步import()
语句替换require
个promise,import()
以任何方式回退到Node.js中的require
。