URL参数未通过curl POST传递

这是我的Java代码:

@POST

@Path("/sumPost")

@Produces(MediaType.TEXT_PLAIN)

public String sumPost(@QueryParam(value = "x") int x,

@QueryParam(value = "y") int y) {

System.out.println("x = " + x);

System.out.println("y = " + y);

return (x + y) + "\n";

}

我这样称呼它:

curl -XPOST "http://localhost:8080/CurlServer/curl/curltutorial/sumPost" -d 'x:5&y:3'

问题是System.out.println呼叫保持发布零零零,似乎我没有正确传递x和y。

更新资料

回答之后,我将请求更改为:

curl   -d '{"x" : 4, "y":3}'  "http://localhost:8080/CurlServer/curl/curltutorial/sumPost" -H "Content-Type:application/json" -H "Accept:text/plain"  --include

服务是:

@POST

@Path("/sumPost")

@Produces(MediaType.TEXT_PLAIN)

@Consumes(MediaType.APPLICATION_JSON)

public String sumPost(@QueryParam(value = "x") int x,

@QueryParam(value = "y") int y) {

System.out.println("sumPost");

System.out.println("x = " + x);

System.out.println("y = " + y);

return (x + y) + "\n";

}

但我仍然有同样的问题。这是服务器的响应:

HTTP/1.1 200 OK

Server: Apache-Coyote/1.1

Content-Type: text/plain

Transfer-Encoding: chunked

Date: Wed, 23 Sep 2015 11:12:38 GMT

0

您可以在末尾看到零:(

回答:

-d x=1&y=2(请注意=,不是:)是表单数据(application/x-www-form-

urlencoded)向其发送了请求的正文,其中您的资源方法应更像

@POST

@Path("/sumPost")

@Produces(MediaType.TEXT_PLAIN)

@Consumes(MediaType.APPLICATION_FORM_URLENCODED)

public String sumPost(@FormParam("x") int x,

@FormParam("y") int y) {

}

并且以下请求将起作用

curl -XPOST "http://localhost:8080/CurlServer/curl/curltutorial/sumPost" -d

'x=5&y=3'

在Windows中,必须使用双引号("x=5&y=3"

您甚至可以分离键值对

curl -XPOST "http://localhost:8080/..." -d 'x=5' -d 'y=3'

默认Content-Type值为application/x-www-form-urlencoded,因此无需设置。

@QueryParams应该是查询字符串(URL的一部分)的一部分,而不是主体数据的一部分。所以你的要求应该更像

curl "http://localhost:8080/CurlServer/curl/curltutorial/sumPost?x=1&y=2"

但是,由于此原因,由于您没有在主体中发送任何数据,因此您可能应该仅将resource方法作为GET方法。

@GET

@Path("/sumPost")

@Produces(MediaType.TEXT_PLAIN)

public String sumPost(@QueryParam("x") int x,

@QueryParam("y") int y) {

}

如果要发送JSON,那么最好的选择是确保您具有处理反序列化到POJO 的JSON提供程序[ ]。然后你可以有类似

public class Operands {

private int x;

private int y;

// getX setX getY setY

}

...

@POST

@Path("/sumPost")

@Produces(MediaType.TEXT_PLAIN)

@Consumes(MediaType.APPLICATION_JSON)

public String sumPost(Operands ops) {

}

[ ]-重要的是,您 确实 具有JSON提供程序。如果您没有,则会收到一条异常消息,例如 “找不到mediatypeapplication / json和类型Operands的MessageBodyReader”

。我将需要知道Jersey版本以及是否使用Maven,才能确定应该如何添加JSON支持。但是对于一般信息,您可以看到

以上是 URL参数未通过curl POST传递 的全部内容, 来源链接: utcz.com/qa/418063.html

回到顶部