我为我的项目创建了一个包含一些组件和服务的核心库。我用 ng-packagr 构建了这个库。在引用库的消费项目中,我构建了包含库提供的组件的 web 应用程序。到目前为止没有什么特别的。但有时我想要一个组件(来自我的库)从库外的服务调用方法。这可能吗?我可以以某种方式向库中定义的组件注入服务吗?
干杯
我为我的项目创建了一个包含一些组件和服务的核心库。我用 ng-packagr 构建了这个库。在引用库的消费项目中,我构建了包含库提供的组件的 web 应用程序。到目前为止没有什么特别的。但有时我想要一个组件(来自我的库)从库外的服务调用方法。这可能吗?我可以以某种方式向库中定义的组件注入服务吗?
干杯
我以前用这样的方法实现了这一点:
你的库的服务应该被定义为一个接口而不是一个具体的实现(就像在 OO 语言中经常做的那样)。如果您的实现应用程序有时只想传入它自己的服务版本,那么您应该在您的库中创建一个默认服务,并像这样使用它:
import { Component, NgModule, ModuleWithProviders, Type, InjectionToken, Inject, Injectable } from '@angular/core';
export interface ILibService {
aFunction(): string;
}
export const LIB_SERVICE = new InjectionToken<ILibService>('LIB_SERVICE');
export interface MyLibConfig {
myService: Type<ILibService>;
}
@Injectable()
export class DefaultLibService implements ILibService {
aFunction() {
return 'default';
}
}
@Component({
// whatever
})
export class MyLibComponent {
constructor(@Inject(LIB_SERVICE) libService: ILibService) {
console.log(libService.aFunction());
}
}
@NgModule({
declarations: [MyLibComponent],
exports: [MyLibComponent]
})
export class LibModule {
static forRoot(config?: MyLibConfig): ModuleWithProviders {
return {
ngModule: LibModule,
providers: [
{ provide: LIB_SERVICE, useClass: config && config.myService || DefaultLibService }
]
};
}
}
然后在您的实现应用程序中,您可以通过库的forRoot
方法传入可选配置(请注意,forRoot
每个应用程序只能在最高级别调用一次)。请注意,我已将该config
参数标记为可选,因此forRoot
即使您没有要传递的配置,您也应该调用。
import { NgModule, Injectable } from '@angular/core';
import { LibModule, ILibService } from 'my-lib';
@Injectable()
export class OverridingService implements ILibService {
aFunction() {
return 'overridden!';
}
}
@NgModule({
imports: [LibModule.forRoot({ myService: OverridingService })]
})
export class ImplementingModule {
}
这是来自记忆,因为我目前手头没有代码,所以如果它因任何原因不起作用,请告诉我。