SpringMVC資料處理
阿新 • • 發佈:2020-12-14
技術標籤:java
一、處理提交資料
- 提交的域名稱與controller處理方法的引數名稱相同時,可以直接接收
請求地址:http://localhost:8080/SpringMVC_04/test/t3?name=溜溜球
@Controller
@RequestMapping("test")
public class RedirectController {
@RequestMapping("t3")
public String Test3(String name){
return "/test";
}
}
- 提交的域名稱與controller處理方法的引數名稱不同時,通過@RequestParam對映
請求地址:http://localhost:8080/SpringMVC_04/test/t3?username=溜溜球
@Controller
@RequestMapping("test")
public class RedirectController {
@RequestMapping("t3")
public String Test3(@RequestParam("username")String name){
return "/test";
}
}
- 提交的是一個物件,要求提交的表單域和物件的屬性名一致,引數使用物件即可
請求地址:http://localhost:8080/SpringMVC_04/test/t4?name=kuag&sex=男&age=18
這裡是將請求的引數封裝成一個物件,通過物件接收,如果欄位一致,則接收,否則接收不到(請求引數與實體類屬性名一致則能接收)
@RequestMapping("t4")
public String Test4(User user){
System.out.println(user);
return "/test";
}
實體類:
package com.wei.entity;
import org.springframework.stereotype.Component;
@Component
public class User {
private String name;
private String sex;
private int age;
@Override
public String toString() {
return "User{" +
"name='" + name + '\'' +
", sex='" + sex + '\'' +
", age=" + age +
'}';
}
public User() {
}
public User(String name, String sex, int age) {
this.name = name;
this.sex = sex;
this.age = age;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public String getSex() {
return sex;
}
public void setSex(String sex) {
this.sex = sex;
}
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}
}
二、資料顯示到前端
- 通過ModelAndView
@RequestMapping("t5")
public ModelAndView Test5(ModelAndView modelAndView){
//設定引數
modelAndView.addObject("msg","ModelAndView顯示資料");
//跳轉頁面
modelAndView.setViewName("test");
return modelAndView;
}
- 通過Model
@RequestMapping("t5")
public String Test5(Model model){
//設定資料
model.addAttribute("msg","Model顯示資料");
//跳轉頁面
return "/test";
}
- 通過ModelMap
ModelMap與Model的區別:
Model是精簡版的
ModelMap繼承了LinkedHashMap,所以ModelMap擁有LinkedHashMap的絕大多數功能
@RequestMapping("t5")
public String Test5(ModelMap modelMap){
//設定資料
modelMap.addAttribute("msg","Model顯示資料");
//跳轉頁面
return "/test";
}