SpringMVC 域对象共享数据

目录

一、request域

1、使用ServletAPI向request域对象共享数据

2、使用ModelAndView向request域对象共享数据(建议使用)

3、使用Model向request域对象共享数据

4、使用map向request域对象共享数据

5、使用ModelMap向request域对象共享数据

6、Model、ModelMap、Map的关系

二、session域

1、向session域共享数据 

三、application域

1、向application域共享数据

 四、request域,session域,application域区别


一、request域

1、使用ServletAPI向request域对象共享数据

@RequestMapping("/testServletAPI")
public String testServletAPI(HttpServletRequest request){
  request.setAttribute("testScope", "hello,servletAPI");
  return "success";
}

 

2、使用ModelAndView向request域对象共享数据(建议使用)

ModelAndView有Model和View的功能,Model主要用于向请求域共享数据,View主要用于设置视图,实现页面跳转。

@RequestMapping("/testModelAndView")
public ModelAndView testModelAndView(){
  
  ModelAndView mav = new ModelAndView();
  //向请求域共享数据
  mav.addObject("testScope", "hello,ModelAndView");
  //设置视图,实现页面跳转
  mav.setViewName("success");
  return mav;
}

3、使用Model向request域对象共享数据

@RequestMapping("/testModel")
public String testModel(Model model){
  model.addAttribute("testScope", "hello,Model");
  return "success";
}

4、使用map向request域对象共享数据

@RequestMapping("/testMap")
public String testMap(Map map){
  map.put("testScope", "hello,Map");
  return "success";
}

5、使用ModelMap向request域对象共享数据

@RequestMapping("/testModelMap")
public String testModelMap(ModelMap modelMap){
  modelMap.addAttribute("testScope", "hello,ModelMap");
  return "success";
}

Model、ModelMap、Map的关系

Model、ModelMap、Map类型的参数其实本质上都是 BindingAwareModelMap 类型的。

public interface Model{}
public class ModelMap extends LinkedHashMap {}
public class ExtendedModelMap extends ModelMap implements Model {}
public class BindingAwareModelMap extends ExtendedModelMap {}

 SpringMVC 域对象共享数据_第1张图片

二、session域

1、向session域共享数据 

@RequestMapping("/testSession")
public String testSession(HttpSession session){
  session.setAttribute("testSessionScope", "hello,session");
  return "success";
}

三、application域

1、向application域共享数据

@RequestMapping("/testApplication")
public String testApplication(HttpSession session){
ServletContext application = session.getServletContext();
  application.setAttribute("testApplicationScope", "hello,application");
  return "success";
}

 四、request域,session域,application域区别

request (HttpServletRequest 类):一次请求内有效 

session (HttpSession 类):一个会话范围内有效(跟服务器关闭没有关系,只跟浏览器是否关闭有关系

解释:

session钝化和活化:

服务器关闭,但是浏览器没有关闭,会话还在继续,存储在session的数据会经过序列化存储在磁盘上,这就是session的钝化。

浏览器仍然没有关闭,但是服务器开启了,它会将我们钝化后的文件的内容重新读取到session中,这就是session的活化。

application (ServletContext 类): 整个 web 工程范围内都有效只跟服务器是否关闭有关系) 

你可能感兴趣的:(SpringMVC,java,mvc)