How to consume json parameter in java restful service

后端 未结 3 1665
广开言路
广开言路 2020-12-09 18:17

How can i consume json parameter in my webservice, I can able to get the parameters using @PathParam but to get the json data as parameter have no clue what to do.



        
3条回答
  •  谎友^
    谎友^ (楼主)
    2020-12-09 18:56

    I assume that you are talking about consuming a JSON message body sent with the request.

    If so, please note that while not forbidden outright, there is a general consensus that GET requests should not have request bodies. See the "HTTP GET with request body" question for explanations why.

    I mention this only because your example shows a GET request. If you are doing a POST or PUT, keep on reading, but if you are really doing a GET request in your project, I recommend that you instead follow kondu's solution.


    With that said, to consume a JSON or XML message body, include an (unannotated) method parameter that is itself a JAXB bean representing the message.

    So, if your message body looks like this:

    {"hello":"world","foo":"bar","count":123}
    

    Then you will create a corresponding class that looks like this:

    @XmlRootElement
    public class RequestBody {
        @XmlElement String hello;
        @XmlElement String foo;
        @XmlElement Integer count;
    }
    

    And your service method would look like this:

    @POST
    @Path("/GetHrMsg/json_data")
    @Consumes(MediaType.APPLICATION_JSON)
    @Produces(MediaType.APPLICATION_JSON)
    public void gethrmessage(RequestBody requestBody) {
        System.out.println(requestBody.hello);
        System.out.println(requestBody.foo);
        System.out.println(requestBody.count);
    }
    

    Which would output:

    world
    bar
    123
    

    For more information about using the different kinds of HTTP data using JAXB, I'd recommend you check out the question "How to access parameters in a RESTful POST method", which has some fantastic info.

提交回复
热议问题