美文网首页
SpringBoot Controller接收参数的几种常用方式

SpringBoot Controller接收参数的几种常用方式

作者: 不困于情 | 来源:发表于2019-02-21 14:15 被阅读0次

    第一类:请求路径参数

    • @PathVariable

    获取路径参数。即url/{id}

    • @RequestParam

    获取查询参数。即url?name=我是渣渣辉

    例子

    GET
    http://localhost:8080/demo/1?name=我是渣渣辉
    对应的java代码:

    @GetMapping("/demo/{id}")
    public void demo(@PathVariable(name = "id") String id, @RequestParam(name = "name") String name) {
        System.out.println("id="+id);
        System.out.println("name="+name);
    }
    

    输出结果:
    id=1
    name=我是渣渣辉

    第二类:Body参数

    'content-type' : application/json

    @PostMapping(path = "/demo")
    public void demo1(@RequestBody Person person) {
        System.out.println(person.toString());
    }
    
    @PostMapping(path = "/demo")
    public void demo1(@RequestBody Map<String, String> person) {
        System.out.println(person.get("name"));
    }
    

    'content-type' : form-data

    @PostMapping(path = "/demo2")
    public void demo2(Person person) {
        System.out.println(person.toString());
    }
    

    'content-type' :x-www-form-urlencoded

    multipart/form-data与x-www-form-urlencoded的区别:
     multipart/form-data:可以上传文件或者键值对,最后都会转化为一条消息
     x-www-form-urlencoded:只能上传键值对,而且键值对都是通过&间隔分开的。
    

    第三类:请求头参数以及Cookie

    @GetMapping("/demo3")
    public void demo3(@RequestHeader(name = "myHeader") String myHeader,
            @CookieValue(name = "myCookie") String myCookie) {
        System.out.println("myHeader=" + myHeader);
        System.out.println("myCookie=" + myCookie);
    }
    

    或者

    @GetMapping("/demo3")
    public void demo3(HttpServletRequest request) {
        System.out.println(request.getHeader("myHeader"));
        for (Cookie cookie : request.getCookies()) {
            if ("myCookie".equals(cookie.getName())) {
                System.out.println(cookie.getValue());
            }
        }
    }
    

    相关文章

      网友评论

          本文标题:SpringBoot Controller接收参数的几种常用方式

          本文链接:https://www.haomeiwen.com/subject/jvmryqtx.html