目前,我正在尝试创建我的第一个Angular 2库,一个translate管道。现在,我正在尝试让开发人员能够将带有翻译的对象插入到模块中,以便管道可以使用它。
如何将某种配置/对象插入到我的库中,以便我的所有组件、管道和服务都可以使用它?
我的库如下所示:
index.ts
import { NgModule, ModuleWithProviders } from '@angular/core';
import { CommonModule } from '@angular/common';
import { TranslatePipe } from './translate.pipe';
export * from './translate.pipe';
@NgModule({
imports: [
CommonModule
],
declarations: [
TranslatePipe
],
exports: [
TranslatePipe
]
})
export class TranslateModule
{
static forRoot(): ModuleWithProviders
{
return {
ngModule: TranslateModule,
providers: []
};
}
}translate.pipe.ts
import { Injectable, PipeTransform, Pipe } from '@angular/core';
@Pipe({
name: 'translate'
})
@Injectable()
export class TranslatePipe implements PipeTransform
{
public translations: any = null;
constructor ()
{
this.translations = {};
}
transform(key: string): string
{
let translation = key;
if (key in this.translations) translation = this.translations[key];
return translation;
}
}我的测试项目:
import { BrowserModule } from '@angular/platform-browser';
import { NgModule } from '@angular/core';
import { FormsModule } from '@angular/forms';
import { HttpModule } from '@angular/http';
import { AppComponent } from './app.component';
import { TranslateModule } from 'translate-pipe';
@NgModule({
declarations: [
AppComponent,
TranslateModule
],
imports: [
BrowserModule,
FormsModule,
HttpModule
],
providers: [
TranslateModule
],
bootstrap: [AppComponent]
})
export class AppModule { }发布于 2017-04-28 22:55:19
只需让用户将一个配置对象传递给forRoot()方法,然后将其设置为服务
import { InjectionToken } from '@angular/core';
export const TRANSLATE_CONFIG = new InjectionToken();
export interface TranslateConfig {
someProp?: string;
anotherProp?: string;
}
export class TranslateModule {
// config is optional. You can use configure default below
static forRoot(config?: TranslateConfig) { // <========
const conf = createConfig(config); // maybe set some defaults
return {
ngModule: TranslateModule,
providers: [
{ provide: TRANSLATE_CONFIG, useValue: conf }
]
}
}
}然后在你需要注入配置的地方,只需(在你的管道中)
import { Inject } from '@angular/core';
import { TranslateConfig, TRANSLATE_CONFIG } from './wherever';
constructor(@Inject(TRANSLATE_CONFIG) config: TranslateConfig) {}用户会这样做
imports: [
TranslateModule.forRoot({
someProp: someValue,
anotherProp: anotherValue
})
]https://stackoverflow.com/questions/43682296
复制相似问题