在 Angular 中为路由的通用组件提供异步依赖 2. 路由的解析等价物

Provide async dependencies to route's generic components in Angular 2. Route's resolve equivalent

我想提供一组通用组件,因此它们将不知道提供依赖关系的服务。此类组件的依赖项是承诺。 换句话说,我想将例如数据访问 排除在那些通用组件 的范围之外。任何依赖项,尤其是要渲染的数据和组件配置都应该由声明组件的上下文提供给组件。 当我在 view 中将组件声明为 DOM 标记时,这很容易,例如:

<generic-component data="getSomeData()" configuration="componentConfig"></generic-component>

但是当组件被直接调用为路由时,我该如何处理?

我读过,但问题的答案绝对不能让我满意。接受了将依赖项放入组件的答案建议,但这意味着失去了组件的通用方式。

在 Angular 1 中,这样做的方法是使用路由声明的 resolve 属性。 Angular 的 1 resolve 在 Angular 2 中的等价物是什么?

请参考 示例,因为它非常准确。

我遇到了完全相同的问题。

Route 的专用组件将包含泛型组件,这可能是解决方案。但这并不优雅,而是绕过然后解决方案。

Angular 2 in RC 4 introduced resolve 属性 of Route.

此 属性 是具有实现 Resolve 接口属性的对象。

每个解析器必须 @Injectable 并且具有方法 resolve which return Observable|Promise|any.

当您将 ActivatedRoute 作为 route 注入组件时您可以从 route.snapshod.data['someResolveKey'].

访问每个已解析的 属性

来自 angular.io 文档的示例:

class Backend {
  fetchTeam(id: string) {
    return 'someTeam';
  }
}
@Injectable()
class TeamResolver implements Resolve<Team> {
  constructor(private backend: Backend) {}
  resolve(
    route: ActivatedRouteSnapshot,
    state: RouterStateSnapshot
  ): Observable<any>|Promise<any>|any {
    return this.backend.fetchTeam(route.params.id);
  }
}
@NgModule({
  imports: [
    RouterModule.forRoot([
      {
        path: 'team/:id',
        component: TeamCmp,
        resolve: {
          team: TeamResolver
        }
      }
    ])
  ],
  providers: [TeamResolver]
})
class AppModule {}

或者您也可以提供具有相同签名的函数来代替 class。

@NgModule({
  imports: [
    RouterModule.forRoot([
      {
        path: 'team/:id',
        component: TeamCmp,
        resolve: {
          team: 'teamResolver'
        }
      }
    ])
  ],
  providers: [
    {
      provide: 'teamResolver',
      useValue: (route: ActivatedRouteSnapshot, state: RouterStateSnapshot) => 'team'
    }
  ]
})
class AppModule {}

并且您可以在组件中获取数据:

export class SomeComponent implements OnInit {
    resource : string;
    team : string;

    constructor(private route: ActivatedRoute) {
    }

    ngOnInit() {
        this.team = this.route.snapshot.data['team'];

        // UPDATE: ngOnInit will be fired once,
        // even If you use same component for different routes.
        // If You want to rebind data when You change route
        // You should not use snapshot but subscribe on
        // this.route.data or this.route.params eg.:
        this.route.params.subscribe((params: Params) => this.resource = params['resource']);
        this.route.data.subscribe((data: any) => this.team = data['team']);
    }

}

希望对您有所帮助, 快乐黑客!