SpringMVC Model对象使用 SpringMVC中的Model对象用法说明
捉眼镜蛇煲汤 人气:0想了解SpringMVC中的Model对象用法说明的相关内容吗,捉眼镜蛇煲汤在本文为您仔细讲解SpringMVC Model对象使用的相关知识和一些Code实例,欢迎阅读和指正,我们先划重点:SpringMVC,Model对象,下面大家一起来学习吧。
模型对象的作用主要是保存数据,可以借助它们将数据带到前端。
常用的模型对象有以下几个:
ModelAndView
(顾名思义,模型和视图,既可以携带数据信息,也可以携带视图信息,常规用法如下)
/** * ModelAndView 绑定数据到视图 (ModelMap用于传递数据 View对象用于跳转) * @return * @throws Exception */ @RequestMapping(value="/case2") public ModelAndView case2() throws Exception { ModelAndView mav = new ModelAndView(); mav.setViewName("/demo03/model.jsp"); mav.addObject("sex", "boy"); return mav; }
Map
,和modelAndView
原理一样,同样是将数据一个一个放在requestScope
中,前端取数据同样也是${模型数据}
/** * 目标方法可以添加 Map 类型(实际上也可以是 Model 类型或 ModelMap 类型)的参数. * @param map * @return */ @RequestMapping("/case") public String case1(Map map) throws Exception{ map.put("sex", "获取成功!!"); return "/demo03/model.jsp"; }
@SessionAttributes
(相当于创建session
对象,往session
对象里放数据,这里用一个注解完美解决)
基本格式如下:
/** * @SessionAttributes 除了可以通过属性名指定需要放到会话中的属性外(实际上使用的是 value 属性值), * 还可以通过模型属性的对象类型指定哪些模型属性需要放到会话中(实际上使用的是 types 属性值) * 注意: 该注解只能放在类的上面. 而不能修饰方法当于在map中和session中 各存放了一个实体类,一个String类的字符串 */ @SessionAttributes("user") @Controller public class SessionController { @ModelAttribute("user") public User getUser(){ User user = new User(); return user; } /** * http://localhost:8080/s/s1?id=1 * 请求转发 forward: 不需要任何处理 * 请求重定向 redirect: 使用SessionAttribute方式 用于在重定向中传至 将值存储在session中 【用完记住清除】 * @return * @throws Exception */ @RequestMapping(value="/s1",method=RequestMethod.GET) public String case1(@ModelAttribute("user") User user) throws Exception{ return "redirect:/s2"; } @RequestMapping(value="/s2",method=RequestMethod.GET) public String case2(Map map,HttpServletResponse res,SessionStatus sessionStatus) throws Exception{ User user=(User)map.get("user"); res.getWriter().println(user.getId()); sessionStatus.setComplete(); return null; } }
SpringMVC中的Model和ModelAndView的区别
1.主要区别
Model
是每次请求中都存在的默认参数,利用其addAttribute()
方法即可将服务器的值传递到jsp
页面中;
ModelAndView
包含model
和view
两部分,使用时需要自己实例化,利用ModelMap
用来传值,也可以设置view
的名称
2.例子
1)使用Model
传值
@RequestMapping(value="/list-books") private String getAllBooks(Model model){ logger.error("/list-books"); List<Book> books= bookService.getAllBooks(); model.addAttribute("books", books); return "BookList"; }
在jsp
页面利${books}
即可取出其中的值
2)使用ModelAndView
传递值有两种方法,不同方法在jsp
页面的取值方式不同,同时设置了view
的名称
public ModelAndView resolveException(HttpServletRequest request, HttpServletResponse response, Object handler, Exception ex) { LibraryException le=null; if(ex instanceof LibraryException){ le=(LibraryException)ex; }else{ le=new LibraryException("系统未知异常!"); } ModelAndView modelAndView=new ModelAndView(); modelAndView.addObject("exception",le.getMessage()); modelAndView.getModel().put("exception",le.getMessage()); modelAndView.setViewName("error"); return modelAndView; }
jsp
中${requestScope.exception1}
可以取出exception1
的值;
jsp
中${exception2}
可以取出exception2
的值
以上为个人经验,希望能给大家一个参考,也希望大家多多支持。
加载全部内容