Skip to content Skip to sidebar Skip to footer

How To Use An Observable In Angular 2 Guards' CanActivate()

I have created an authentication guard for my angular2 rc5 application. I am also using a redux store. In that store I keep the user's authentication state. I read that the guard

Solution 1:

When you subscribe to an observable, you can provide a callback function; in the example below, I call it CompleteGet. CompleteGet() will only be invoked on a successful get that returns data and not an error. You place whatever follow on logic you need in the callback function.

getCursenByDateTest(){
 this.cursenService
   .getCursenValueByDateTest("2016-7-30","2016-7-31")
   .subscribe(p => {
     this.cursens = p;
     console.log(p)
     console.log(this.cursens.length);
   },
   error => this.error = error,
   () => this.CompleteGet());
}

completeGet() {
   // the rest of your logic here - only executes on obtaining result.
}

I believe you can also add a .do() to the observable subscription to accomplish the same thing.


Solution 2:

all you need to do is force the observable to update:

canActivate(): Observable<boolean> {
    return this.authenticated$.take(1);
}

Edit: canActivate waits for the source observable to complete, and (most likely, I don't know what happens behind the scenes), the authenticated$ observable emits .next(), not .complete()

From documentation: http://reactivex.io/rxjs/class/es6/Observable.js~Observable.html#instance-method-take
.take(1) method takes first value emitted by the source observable and then completes

Edit2: I just looked at snippet you pasted, and I was right - the store.select() observable never completes, it always emits .next


Solution 3:

Subscribe doesn't return an Observable. However, you can use the map operator like that:

this.authenticated$.map(
    authenticated => {
        if(authenticated) {
            return true;
        } 
    return false;
    }
 ).first() // or .take(1) to complete on the first event emit

Post a Comment for "How To Use An Observable In Angular 2 Guards' CanActivate()"