接收数据
- 提交的域名称和处理方法的参数名一致
提交数据 : http://localhost:8080/hello?name=yz
处理方法,打印出输出yz,函数参数和request参数一致,函数参数自动赋值
@RequestMapping("/hello")
public String hello(String name){
System.out.println(name);
return "hello";
}
- 提交的域名称和处理方法的参数名不一致
提交数据 : http://localhost:8080/hello?username=yz
函数参数和request参数不一致,我们想让函数的参数能够接收到web传过来的值,使用@RequestParam
@RequestMapping("/hello")
public String hello(@RequestParam("username") String name){
System.out.println(name);
return "hello";
}
- 提交的是一个对象
要求提交的表单域和对象的属性名一致 , 参数使用对象即可,提交数据 : http://localhost:8080/mvc04/user?name=yz&id=1&age=15
public class User {
private int id;
private String name;
private int age;
...
}
@RequestMapping("/user")
public String user(User user){
System.out.println(user);
return "hello";
}
显示数据到前端
- 通过ModelAndView
public class ControllerTest1 implements Controller {
public ModelAndView handleRequest(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse) throws Exception {
//返回一个模型视图对象
ModelAndView mv = new ModelAndView();
mv.addObject("msg","ControllerTest1");
mv.setViewName("test");
return mv;
}
}
- 通过ModelMap(常用)
@RequestMapping("/hello")
public String hello(@RequestParam("username") String name, ModelMap model){
//封装要显示到视图中的数据
//相当于req.setAttribute("name",name);
model.addAttribute("name",name);
System.out.println(name);
return "hello";
}
- 通过Model(常用)
@RequestMapping("/ct2/hello")
public String hello(@RequestParam("username") String name, Model model){
//封装要显示到视图中的数据
//相当于req.setAttribute("name",name);
model.addAttribute("msg",name);
System.out.println(name);
return "test";
}
对比:
Model 只有寥寥几个方法只适合用于储存数据,简化了新手对于Model对象的操作和理解;
ModelMap 继承了 LinkedMap ,除了实现了自身的一些方法,同样的继承 LinkedMap 的方法和特性;
ModelAndView 可以在储存数据的同时,可以进行设置返回的逻辑视图,进行控制展示层的跳转。