web-dev-qa-db-ja.com

Angular 4のAPIからの期限切れトークンの処理

私のangularアプリケーションで期限切れのトークンを処理するのに助けが必要です。私のAPIの有効期限は切れていますが、私の問題は、angular applicationしばらくして、私はまだホームページにアクセスできますが、データはありません。これについてできることはありますか?これを処理できるライブラリはありますか?またはインストールできるものはありますか?以下の認証コード?有効期限を処理できるものを追加できますが、有効期限が切れるとホームページにアクセスできなくなります。

auth.service.ts

 export class AuthService {
  private loggedIn = false;

  constructor(private httpClient: HttpClient) {
  }

  signinUser(email: string, password: string) {  
    const headers = new HttpHeaders() 
    .set('Content-Type', 'application/json');

    return this.httpClient
    .post(
      'http://sample.com/login', 
       JSON.stringify({ email, password }), 
       { headers: headers }
    )
    .map(
        (response: any) => {
          localStorage.setItem('auth_token', response.token);
          this.loggedIn = true;
          return response;
        });
   }

    isLoggedIn() {
      if (localStorage.getItem('auth_token')) {
        return this.loggedIn = true;
      }
    }

   logout() {
     localStorage.removeItem('auth_token');
     this.loggedIn = false;
    }
}

authguard.ts

@Injectable()
export class AuthGuard implements CanActivate {

  constructor(private router: Router, private authService: AuthService) {}

  canActivate(route: ActivatedRouteSnapshot, state: RouterStateSnapshot) {

    if (this.authService.isLoggedIn()) {
      // logged in so return true
      return true;
    }

    else {
      // not logged in so redirect to login page with the return url
      this.router.navigate(['signin'])
      return false;
      }
  }
}
9
Joseph

私はあなたが遊ぶことができる2つの解決策があると思います。

最初のブラウザが閉じられたときにログアウト機能を呼び出すことができます:

_  @HostListener('window:unload', ['$event'])
  handleUnload(event) {
    this.auth.logout();
  }
_

https://developer.mozilla.org/de/docs/Web/Events/unload

OR

_ @HostListener('window:beforeunload', ['$event'])
      public handleBeforeUnload(event) {
        this.auth.logout();
      }
_

https://developer.mozilla.org/de/docs/Web/Events/beforeunload

このようにして、ブラウザが閉じられると常にthis.auth.logout();が自動的に呼び出されます。

Secondangular2-jwt のようなライブラリをインストールでき、検出に役立ちます トークンの有効期限が切れた場合

_jwtHelper: JwtHelper = new JwtHelper();

useJwtHelper() {
  var token = localStorage.getItem('token');

  console.log(
    this.jwtHelper.decodeToken(token),
    this.jwtHelper.getTokenExpirationDate(token),
    this.jwtHelper.isTokenExpired(token)
  );
}
_
7
Kuncevič

HTTPインターセプターを使用してこれを行うことができます。

intercept(req: HttpRequest<any>, next: HttpHandler) {
  if(!localStorage.getItem('token'))
    return next.handle(req);

  // set headers
  req = req.clone({
    setHeaders: {
      'token': localStorage.getItem('token')
    }
  })

  return next.handle(req).do((event: HttpEvent<any>) => {
    if(event instanceof HttpResponse){
      // if the token is valid
    }
  }, (err: any) => {
    // if the token has expired.
    if(err instanceof HttpErrorResponse){
      if(err.status === 401){
        // this is where you can do anything like navigating
        this.router.navigateByUrl('/login');
      }
    }
  });
}

これが完全なソリューションです

6
Amirhosein Al