web-dev-qa-db-ja.com

コンポーネントをレンダリングする前にAngular2にpromiseを待機させる方法

最初に:はい、私はこれを事前にグーグルで検索しました、そして出てきた solution は私のために働いていません。

コンテキスト

サービスを呼び出すAngular 2コンポーネントがあり、応答を受信したらデータ操作を実行する必要があります。

ngOnInit () {
  myService.getData()
    .then((data) => {
      this.myData = /* manipulate data */ ;
    })
    .catch(console.error);
}

そのテンプレートでは、そのデータは子コンポーネントに渡されます。

<child-component [myData]="myData"></child-component>

これにより、子がmyDataを未定義として取得しているというエラーが発生します。上に投稿されたGoogleの結果は、Resolverの使用について説明していますが、それは私にはうまくいきません。

新しいリゾルバーを作成するとき:

import { Injectable } from '@angular/core';
import { Resolve, ActivatedRouteSnapshot } from '@angular/router';
import { Observable } from 'rxjs/Rx';
import { MyService } from './my.service';

@Injectable()
export class MyResolver implements Resolve<any> {
    constructor(private myService: MyService) {}

    resolve (route: ActivatedRouteSnapshot): Observable<any> {
        return Observable.from(this.myService.getData());
    }
}

app.routing.ts

const appRoutes: Routes = [
  {
    path: 'my-component',
    component: MyComponent,
    resolve: {
        myData: MyDataResolver
    }
  }
];

export const routing = RouterModule.forRoot(appRoutes);

MyDataResolverのプロバイダーがないというエラーが表示されます。これは、app.component.tsMyDataResolverプロパティにprovidersを追加した場合でも当てはまります。

@Component({
  selector: 'my-app',
  templateUrl: 'app/app.component.html',
  providers: [
        MyService,
        MyResolver
  ]
})

これを使用するためのインターフェースは変更されましたか?

7
A. Duff

ルーターは、resolve()から返されるpromiseまたはobservableをサポートします。
関連項目 https://angular.io/docs/ts/latest/api/router/index/Resolve-interface.html

これはあなたが望むことをするはずです:

@Injectable()
export class MyResolver implements Resolve<any> {
    constructor(private myService: MyService) {}

    resolve (route: ActivatedRouteSnapshot): Promise<any> {
        return this.myService.getData();
    }
}

参照 https://angular.io/docs/ts/latest/guide/router.html#!#resolve-guard

4