定义
Spring Web MVC 的处理器拦截器类似于Servlet 开发中的过滤器Filter,用于对处理器进行预处理和后处理。如果要使用拦截器,要实现HandlerInterceptor接口
拦截应用
处理流程
- 有一个登录页面,需要写一个Controller访问登录页面
- 登录页面有一提交表单的动作。需要在Controller中处理
- 判断用户名密码是否正确(在控制台打印)
- 如果正确,向session中写入用户信息(写入用户名username)
- 跳转到商品列表
- 拦截器
- 拦截用户请求,判断用户是否登录(登录请求不能拦截)
- 如果用户已经登录。放行
- 如果用户未登录,跳转到登录页面
1、编写登录的jsp页面
<%@ page language="java" contentType="text/html; charset=UTF-8"
pageEncoding="UTF-8"%>
<%@ taglib uri="http://java.sun.com/jsp/jstl/core" prefix="c" %>
<%@ taglib uri="http://java.sun.com/jsp/jstl/fmt" prefix="fmt"%>
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<title>修改商品信息</title>
</head>
<body>
<form action="${pageContext.request.contextPath }/login.action" method="post">
用户名:<input type="text" name="username" value="">
<input type="submit" value="提交">
</form>
</body>
</html>
2、用户登录controller
// 去登陆的页面
@RequestMapping(value = "/login.action", method = RequestMethod.GET)
public String login() {
return "login";
}
@RequestMapping(value = "/login.action", method = RequestMethod.POST)
public String login(String username, HttpSession session) {
session.setAttribute("USER_SESSION", username);
return "redirect:/item/itemlist.action";
}
3、编写拦截器
package com.itheima.springmvc.intercepter;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import org.springframework.web.servlet.HandlerInterceptor;
import org.springframework.web.servlet.ModelAndView;
public class Interceptor1 implements HandlerInterceptor {
public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object obj) throws Exception {
System.out.println("方法前 1");
// 判断用户是否登录 如果没有登录 重定向到登录页面 不放行 如果登录了 就放行
// URL http://localhost:8080/springmvc-mybatis/login.action
// URI /login.action
String requestURI = request.getRequestURI();
if (!requestURI.contains("/login")) {
String username = (String) request.getSession().getAttribute("USER_SESSION");
if (null == username) {
response.sendRedirect(request.getContextPath() + "/login.action");
return false;
}
}
return true;
}
public void postHandle(HttpServletRequest request, HttpServletResponse response, Object obj, ModelAndView e)
throws Exception {
System.out.println("方法后1");
}
public void afterCompletion(HttpServletRequest request, HttpServletResponse response, Object obj, Exception e)
throws Exception {
System.out.println("页面渲染后 1");
}
}
4、配置拦截器
在springmvc.xml中配置拦截器
<!--配置springmvc的拦截器 -->
<mvc:interceptors>
<mvc:interceptor>
<!-- 所有的请求都进入拦截器 -->
<!--/**代表拦截所有 -->
<mvc:mapping path="/**" />
<!-- 自定义的拦截器类 -->
<bean class="com.itheima.springmvc.intercepter.Interceptor1"></bean>
</mvc:interceptor>
</mvc:interceptors>