Async authguard in angular 6

前端 未结 2 631
感情败类
感情败类 2021-01-03 02:42

I would like to provide a server-side authentication before I give access to a specific route in angular.

I have a AuthGuard which implements CanActivate and a servi

2条回答
  •  天命终不由人
    2021-01-03 03:16

    Here is approach for RXJS6, added a variable _isAuthenticated in authentication service to request the server state just when the flag is disabled. I hope that helps others.

    Ensure canActivate returns a plain boolean or an observable. The route handler will subscribe to the given observable and reacts to first boolean value coming from the value stream.

    auth.guard.ts

    import { Injectable } from '@angular/core';
    import { Router, CanActivate } from '@angular/router';
    
    import { Observable } from 'rxjs/';
    import { map, finalize } from 'rxjs/operators';
    import { DataService } from '../data.service';
    import { AuthenticationService } from './authentication.service';
    
    @Injectable()
    export class AuthenticationGuard implements CanActivate {
    
      constructor(private router: Router,
                  private dataService: DataService,
                  private authenticationService: AuthenticationService) { }
    
      canActivate(): any {
        const isAuthenticated = this.authenticationService.isAuthenticated();
    
        // All good
        if ( isAuthenticated ) {
          return true;
    
        // Hmm, let's verify the user first
        } else {
          return this.authenticationService.isSessionAlive()
            .pipe(
              map(res => {
    
                // No valid session; let's move to the login page
                if ( res === false ) {
                  this.router.navigate(['/login'], { replaceUrl: true });
                }
    
                return res;
              })
            );
        }
      }
    
    }
    

    auth.service.ts (I'm using rxjs 6)

    import { Injectable } from '@angular/core';
    import { Observable } from 'rxjs';
    import { DataService } from '@app/core';
    
    @Injectable()
    export class AuthenticationService {
    
      private _isAuthenticated = false;
    
      constructor(
        private dataService: DataService
      ) {}
    
      isAuthenticated(): boolean {
        return this._isAuthenticated;
      }
    
      isSessionAlive(): Observable {
        return Observable.create((observer) => {
          this.dataService.SessionIsAlive()
            .subscribe((res) => {
              this._isAuthenticated = true;
              observer.next(res.success); // your server response
            }, (err) => {
              this._isAuthenticated = false;
              observer.next(false);
              // observer.error(err); // won't work here you need to use next
            });
        });
      }
    }
    

提交回复
热议问题