0
The service AuthenticationManager has the following code:
private loggedIn: BehaviorSubject<boolean>;
constructor(
     private http: ApplicationHttpClient, 
     private router: Router, private a: HttpClient) 
{
    this.loggedIn = new BehaviorSubject<boolean>(false);
}
isLoggedIn():Observable<boolean> {
    return this.loggedIn.asObservable();
}
initSession():void {
   this.getUserSession().subscribe(
     response => {
       this.loggedIn.next(true);
     }
   );
}
getUserSession():Observable<any> {
    return this.a.get('http://localhost/api/v1/usersession', {});
}
The method initSession is called by app.component.ts to view the API and get the user session.
The route possesses the canLoad configured:
//...
canLoad: [AccessManagerGuard]
//...
The AccessManagerGuard has the following code:
canLoad(route: Route): Observable<boolean>|Promise<boolean>|boolean {
    return this.AuthenticationManager.isLoggedIn()
      .map((isLoggedIn: boolean) => {
         if (!isLoggedIn)
           return false;
         return true;
      });
}
Note that the canLoad executes the isLoggedIn which in turn returns a Observable.
isLoggedIn():Observable<boolean> {
    return this.loggedIn.asObservable();
}
Thus the canLoad does not work, since the variable loggedIn is started with the value false.
I understand that the method isLoggedIn returns the value immediately false but I need you to wait for the result of the method getUserSession.
How do I make the method isLoggedIn wait for method response getUserSession?
