1. ホーム
  2. angular

[解決済み] イオン4オブザーバブル

2022-02-06 13:26:06

質問

Ionic 4のアップグレードプロジェクトでrxjs Observableパターンを実装しようとしていますが、うまくいきません。

これは古いやり方で、どこかで 'user:loggedIn' が使われています。 を使用して、×の結果を画面に表示しています。

 events.subscribe('user:loggedIn', (userEventData) => {
   this.getUserInfo(userEventData);
   this.registerPushNotifications();
   this.registerPushNotificationHandlers();
 });

2つの方法を実装してテストしましたが、結果が表示されません。

方法1:

    let userLoggedIn = new Observable((observer) => {
      // const {next, error} = observer;

      observer.next({'user:loggedIn':observer});
      observer.complete();
    });

    userLoggedIn.subscribe((userEventData) => {
      console.log(userEventData)
      this.getUserInfo(userEventData);
      this.registerPushNotifications();
      this.registerPushNotificationHandlers();
    });

方法2:

    var observer: Observable<any> = of();
    observer.subscribe(userEventData => {
      this.getUserInfo(userEventData);
      this.registerPushNotifications();
      this.registerPushNotificationHandlers();
    });

旧Ionicのイベントと同じ機能を持たせる方法はありますか? の機能は、Observable または Subject の実装を使用して、Ionic 4 で使用できますか?

どのように解決するのですか?

ここで、あなたに合うかもしれない一つのアプローチを紹介します。認証サービスにおいて、プライベートなBehaviorSubjectプロパティを作成し、プライベートなログインプロパティの最後の値を格納することができます。次に、BehaviorSubjectをソースとするpublic observableを作成することができます。最後に、あなたのページ/コンポーネントでサービスのpublic observableを購読し、ログインプロパティの状態に変更が生じたときに、必要なものを取得および設定することができます。以下は、どのように動作するかの簡単な例です。

loginService.ts

export class LoginService {
  private login: boolean = false;
  private loginSubject$ = new BehaviorSubject<boolean>(this.login);
  loginChanged$ = this.loginSubject$.asObservable();

  constructor() { }

  updateLogin(){
    this.login = !this.login;
    this.loginSubject$.next(this.login);
  }
}

home.page.ts

export class HomePage implements OnInit, OnDestroy {

  timesClicked:number=0;
  loginButtonText:string;

  loginChangedSubscription: Subscription

  constructor(private loginService: LoginService) {}

  ngOnInit() {
    this.loginChangedSubscription = this.loginService.loginChanged$.subscribe((loginValue)=>{
      this.timesClicked += 1;
      this.loginButtonText =  (loginValue ? "Log Me Out" : "Log Me In");
    })
  }

  ngOnDestroy(): void {
    if (this.loginChangedSubscription) {
      this.loginChangedSubscription.unsubscribe();
    }
  }

  updateLogin():void{
    this.loginService.updateLogin();
  }
}

一応、動作していることを示すために .... home.page.html

<ion-content>
  <ion-item>
    <ion-label>
      {{timesClicked}}
    </ion-label>
  </ion-item>
  <ion-button color="primary" (click)="updateLogin()">{{loginButtonText}}</ion-button>
</ion-content>

お役に立てれば幸いです。