在Angular中,HTTP拦截器是一种强大的工具,可以在发送请求和接收响应之前进行一些处理。以下是一个示例,展示如何使用HTTP拦截器来检测用户注销并触发重新调用。
首先,创建一个名为auth.interceptor.ts
的文件,用于定义HTTP拦截器:
import { Injectable } from '@angular/core';
import { HttpInterceptor, HttpRequest, HttpHandler, HttpEvent } from '@angular/common/http';
import { Observable } from 'rxjs';
@Injectable()
export class AuthInterceptor implements HttpInterceptor {
constructor() {}
intercept(request: HttpRequest, next: HttpHandler): Observable> {
// 在请求头中添加一些认证信息,比如token
const authRequest = request.clone({
setHeaders: {
Authorization: `Bearer ${localStorage.getItem('token')}`
}
});
return next.handle(authRequest).pipe(
catchError(error => {
// 如果请求返回401未授权错误,则触发注销操作
if (error.status === 401) {
// 触发注销操作,比如清除token并重定向到登录页面
this.logout();
}
// 将错误传递给下一个处理程序
return throwError(error);
})
);
}
logout() {
// 用户注销操作,比如清除token并重定向到登录页面
localStorage.removeItem('token');
// 重定向到登录页面
window.location.href = '/login';
}
}
接下来,在app.module.ts
中注册该拦截器:
import { NgModule } from '@angular/core';
import { HTTP_INTERCEPTORS } from '@angular/common/http';
import { AuthInterceptor } from './auth.interceptor';
@NgModule({
// ...
providers: [
{
provide: HTTP_INTERCEPTORS,
useClass: AuthInterceptor,
multi: true
}
],
// ...
})
export class AppModule { }
现在,每当发送HTTP请求时,拦截器都会自动将认证信息放入请求头中。如果请求返回401未授权错误,拦截器将触发注销操作,例如清除token并重定向到登录页面。
请注意,上述示例中的代码是一种通用的示例,您需要根据自己的应用程序的具体需求进行适当修改和调整。