[toc]

[toc]

SpringMVC处理请求数据

  • Spring MVC 通过分析处理方法的签名(方法名+ 参数列表),HTTP请 求信息绑定到处理方法的相应形参中。

  • Spring MVC 对控制器处理方法签名的限制是很宽松的,几乎可以按喜欢的任何方式对方法进行签名。

  • 必要时可以对方法及方法入参标注相应的注解( @PathVariable 、@RequestParam、@RequestHeader 等)

  • Spring MVC 框架会将 HTTP 请求的信息绑定到相应的方法入参中,并根据方法的返回值类型做出相应的后续处理。

1. @RequestParam注解

我们只需要将参数的名字添加到方法的形参上就可以了
@RequestParam 用于映射请求参数。

  1. 通过value这个属性指定将请求中的参数的值给到对应的方法的形参中。
  2. 默认情况下,使用@RequestParam注解指定的参数必须要从request对象中获取到,如果找不到,会报错:Required String parameter 'name' is not present
  3. 可以通过required这个属性指定是否必须,默认值是true
     false : 不必须,不存在不报错
     true  : 必须的,不存在报错。
    
  4. 可以通过defaultValue这个属性设置参数的默认值。
    如果不给name设置值,那么name=taoge
    
1
2
3
4
5
6
7

@RequestMapping("/testRequestParam2")
public String testRequestParam2(@RequestParam(value = "name",defaultValue = "taoge") String username,@RequestParam(value = "age" ,required = false) Integer age){
System.out.println( "username = " + username );
System.out.println( "age = " + age );
return "success";
}

2. @RequestHeader 注解(了解)

请求头包含了若干个属性,服务器可据此获知客户端的信息,通过
@RequestHeader 即可将请求头中的属性值绑定到处理方法的入参中

1
2
3
4
5
6
7
8
/**
* 处理请求信息
* */
@RequestMapping(value = "/testRequestHeader",method = RequestMethod.GET)
public String testRequestHeader(@RequestHeader("User-agent") String header){
System.out.println( "header = " + header );
return "success";
}

3. @CookieValue 注解

  • 使用 @CookieValue 绑定请求中的 Cookie 值
  • @CookieValue 可让处理方法入参绑定某个 Cookie 值
1
2
3
4
5
6
@RequestMapping(value = "/testRequestCookie",method = RequestMethod.GET)
public String testRequestCookie(@CookieValue("JSESSIONID") String cookieValue){
//cookieValue = D49CC2550B551F374261FEAE4981B928
System.out.println( "cookieValue = " + cookieValue );
return "success";
}

4. 使用POJO作为参数

Spring MVC 会按请求参数名和 POJO 属性名进行自动匹配,自动为该对象填充属性值。支持级联属性。

1
2
3
4
5
6
7
8
9
/**
* 将请求参数直接封装成一个对象
* http://localhost:8080/testRequestPojo?username=taoge&age=18
* */
@RequestMapping("/testRequestPojo")
public String testRequestPojo(Person person){
System.out.println( "person = " + person );
return "success";
}

5. 使用Servlet原生API作为参数

MVC 的 Handler 方法可以接受哪些 ServletAPI 类型的参数

  1. HttpServletRequest
  2. HttpServletResponse
  3. HttpSession
  4. ​ java.security.Principal
  5. ​ Locale
  6. ​ InputStream
  7. ​ OutputStream
  8. ​ Reader
1
2
3
4
5
6
7
@RequestMapping(value = "/testServletApi")
public String testServletApi(HttpServletRequest request, HttpServletResponse response) throws IOException {
String name = request.getParameter( "name" );
System.out.println( "name = " + name );
response.sendRedirect( "http://www.itbuild.cn:8080/store" );
return null;
}