1、提交的域名称和处理方法的参数名一致
提交数据:http://localhost:8085/springmvc_01_war_exploded/user?name=123
处理方法 ?
@RequestMapping("/user")
public String test1(String name, Model model){
//1.接受前端参数
System.out.println("接受前端的参数为"+name);
//2.将返回的结果传递给前端,Model
model.addAttribute("msg",name);
//3.视图跳转
return "test";
}
2、提交的域名称和处理方法的参数名称不一致
提交数据:http://localhost:8085/springmvc_01_war_exploded/t2?username=123
处理方法
@RequestMapping("/t2")
public String test2(@RequestParam("username") String name, Model model){
//1.接受前端参数
System.out.println("接受前端的参数为"+name);
//2.将返回的结果传递给前端,Model
model.addAttribute("msg",name);
//3.视图跳转
return "test";
}
建议所有参数都加上@RequestMapping
3、前端接收的是一个对象
提交数据:http://localhost:8085/springmvc_01_war_exploded/t3?id=123&name=huang&age=18
实体类:
public class User {
private int id;
private String name;
private int age;
}
处理方法
/*
假设传递的是一个user对象,匹配user对象中的字段名,如果名字一样成功,否则匹配失败
*/
@RequestMapping("/t3")
public String test3(User user){
//1.接受前端参数
System.out.println("接受前端的参数为"+user);
return "test";
}
说明:如果使用对象传递,前端传递的参数必须和对象名一致,否则传递数据为null
|