一、视图解析器:
1.springmvc核心配置文件,添加视图解析器:
<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xmlns:context="http://www.springframework.org/schema/context"
xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd http://www.springframework.org/schema/context https://www.springframework.org/schema/context/spring-context.xsd">
<!--添加视图解析器
视图解析器作用:
比如我们要访问/admin/main.jsp时,传统页面跳转需要输入完整URI访问路径,
而使用了视图解析器后,会自动在访问路径前后添加配置前缀和配置后缀,
比如配置了如下前缀和后缀后,我们要访问/admin/main.jsp,访问路径只需要写main就可以了
-->
<bean class="org.springframework.web.servlet.view.InternalResourceViewResolver">
<!--配置前缀-->
<property name="prefix" value="/admin/"></property>
<!--配置后缀-->
<property name="suffix" value=".jsp"></property>
</bean>
</beans>
2.视图解析器的使用:
@Controller
public class JumpAction {
@RequestMapping("/one")
public String one(){
System.out.println("请求转发页面(默认)");
return "main";
}
3、视图解析器类InternalResourceViewResolver源码解析:
public class UrlBasedViewResolver extends AbstractCachingViewResolver implements Ordered {
public static final String REDIRECT_URL_PREFIX = "redirect:";
public static final String FORWARD_URL_PREFIX = "forward:";
private String prefix = "";
private String suffix = "";
- 在springmvc核心配置文件中配置视图解析器,为视图解析器添加前后缀,实际上是给视图解析器类InternalResourceViewResolver的成员方法赋值,视图解析器类会自动为Action类的方法中return的字符串进行拼接,拼接两个成员方法作为前后缀生成新的URI。
- 我们注意到视图解析器类InternalResourceViewResolver还有两个静态成员变量,如果Action类的方法中return的字符串包含这两个值时,视图解析器类就不再进行前缀后缀的拼接。
二、SpringMVC四种跳转方式:
- 请求转发页面。
- 请求转发action。
- 重定向页面。
- 重定向action。
1.跳转方式案例:
<a href="${pageContext.request.contextPath}/one.action">请求转发页面(默认)</a><br>
<a href="${pageContext.request.contextPath}/two.action">请求转发action</a><br>
<a href="${pageContext.request.contextPath}/three.action">重定向页面</a><br>
<a href="${pageContext.request.contextPath}/four.action">重定向action</a><br>
@Controller
public class JumpAction {
@RequestMapping("/one")
public String one(){
System.out.println("请求转发页面(默认)");
return "forward:/fore/user.jsp";
}
@RequestMapping("/two")
public String two(){
System.out.println("请求转发action");
return "forward:/other.action";
}
@RequestMapping("/three")
public String three(){
System.out.println("重定向页面");
return "redirect:/admin/main.jsp";
}
@RequestMapping("/four")
public String four(){
System.out.println("重定向action");
return "redirect:/other.action";
}
}