如何在另一个内部使用服务?

时间:2019-09-10 17:20:06

标签: angular typescript oop angular8

我有向服务器执行请求的服务:

export class ExportDictionaryApiService {
  constructor(private http: HttpClient) {}
  public perform(): Observable<any> {}
}

还有另一个班级工厂:

export class ExportFactory {
  public static createConcreteExcel(type: string) {
    switch (type) {
      case EReferenciesTypes.DictionaryType:
        return new ExportDictionary();
    }
  }
}

工厂返回的具体类:

export class ExportDictionary implements IExport {
  export(parameters: any) {
     this.apiService
      .perform().subscribe((response: IResponseDict) => {});
  }
}

使用方式是

ExportFactory.createConcreteExcel('full').export([...parameters]);

问题是:

具体类应使用具体的apiService,现在apiService内没有现成的对象class ExportDictionary

如何通过具体课程? 我需要包含所有依赖项的返回就绪实例!

当然,我可以在方法中注入就绪对象:

ExportFactory.createConcreteExcel('full').export([...parameters], injectedApiService);

但是我不知道injctedApiService,直到我没有创建具体的Factory。

我也无法在其中创建对象

export(parameters: any) {
       new ExportDictionaryApiService()
          .perform().subscribe((response: IResponseDict) => {});
 }

因为ExportDictionaryApiService需要依赖项HttpClient

1 个答案:

答案 0 :(得分:4)

请参见此工作示例https://stackblitz.com/edit/angular-service-factory

p.s您可以将字符串更改为枚举

说明

您需要一个如下的工厂

@Injectable()
export class ExportFactoryService {

 constructor(
    @Inject('Export') private services: Array<IExport>
  ) { }

  create(type: string): IExport {
    return this.services.find(s => s.getType() === type);
  }

}

服务界面

export interface IExport {
   getType(): string; // this can be enum as well

   export(parameters: any):any;
}

以及您的服务实现,我实现了两项服务

@Injectable()
export class ExportDictionaryService implements IExport {

  constructor() { }

  getType(): string {
    return 'dictionary';
  }

  export(parameters: any):any {
    console.log('ExportDictionaryService.export')
  }

}

最重要的部分是在app.module中提供多种服务

  providers: [

    ExportFactoryService,
    { provide: 'Export', useClass: ExportDictionaryService, multi: true },
    { provide: 'Export', useClass: ExportJsonService, multi: true }
  ]

这就是您获取服务实例的方式

  constructor(private exportFactoryService: ExportFactoryService) {}

  create() {
    const exporter = this.exportFactoryService.create('dictionary');
    exporter.export('full');
  }

,并且这种方法是“开放式-封闭式”的,您可以通过添加新服务来扩展它,而无需修改现有代码,并且没有if / else或switch / case语句,没有静态类,并且它是可单元测试的,您可以注入每个出口商服务中所需的任何东西