SpringMvc跳转问题
SpringMvc的Controller每次处理完数据后都会返回一个逻辑视图(view)和模型(model)
所以我们会看到原生的Controller是返回一个ModelAndView(内部包含了view和model)。
正常情况下(除非被@ModelAttribute注解了的方法),否则最终都会返回ModelAndView。
当然有时候一个功能处理方法不一定要返回一个逻辑视图,也可以重定向到另一个功能方法
服务器内部转发到一个逻辑视图或者另一个功能方法。
---
SpringMvc的强大之处在于它封装了Servlet大量底层代码,但是有没有完全屏蔽用户对ServletAPI
的使用。所以SpringMvc中页面跳转也是分为两大类:
使用ServletAPI实现页面跳转
重定向方式:由于重定向的本质是要求浏览器重新发送一个请求,SpringMvc里面的页面一般是放到WEB-INF下,浏览器不可以直接访问)
所以这里的重定向实质是重定向到另一个功能方法。
服务器内部请求转发:请求转发为服务器内部行为,所以可以直接跳转访问一个jsp页面也可以跳转到另一个功能处理方法。
```text
1
2
3
4
5
6
7
8
9
10
11
12
|
//使用原生的ServletApi进行页面跳转
@RequestMapping ( "/c" )
public String test(HttpServletResponse response, HttpServletRequest request) throws ServletException, IOException {
System.out.println( "testC" );
//跳转到服务器内部的一个页面
//request.getRequestDispatcher("/WEB-INF/jsp/index.jsp").forward(request,response);
//跳转到服务器内部的一个功能处理方法
//request.getRequestDispatcher("/dispather/b").forward(request,response);
//重定向一个功能方法
response.sendRedirect(request.getContextPath()+ "/dispather/b" );
return null ;
}
|
使用SpringMvc的API实现页面跳转
直接返回逻辑视图名
1
|
text @RequestMapping ( "/b" ) public String testB(){ System.out.println( "testB" ); //直接返回一个视图 return "index"; }
|
返回自定义的ModelAndView:自定义ModelAndView时,可以重定向或请求转发
```text
1
2
3
4
5
6
7
8
9
10
11
|
//Controller中使用ModelAndView进行跳转和重定向
@RequestMapping ( "/e" )
public ModelAndView testE(){
System.out.println( "testE" );
//跳转到服务器内部的一个页面
//return "index";
//跳转到服务器内部的一个功能处理方法
//return new ModelAndView("forward:/dispather/b");
//重定向一个功能方法
return new ModelAndView( "redirect:/dispather/b" );
}
|
总结
以上就是本文关于浅谈Springmvc中的页面跳转问题的全部内容,希望对大家有所帮助。感兴趣的朋友可以继续参阅本站其他相关专题,如有不足之处,欢迎留言指出。感谢朋友们对本站的支持!
原文链接:http://www.cnblogs.com/ggr0305/p/7218686.html