如何使用POST将Array发送到REST-Service(Jersey)

问题描述 投票:3回答:1

我想用JQuery向REST服务发送一组Locations。

我的守则

var locations = new Array();
var loc = new Location();
loc.alt = 0;
loc.lat = 0;
loc.long = 0;
loc.time = 1;

locations.push(loc);

var json_data = {value : JSON.stringify(locations)};
console.log(json_data);

$.ajax({type: 'POST',
        url: rootURL + '/Location/123',
        crossDomain: true,
        dataType: "json", // data type of response
        contentType: "application/json; charset=utf-8",
        data: json_data,
        success: function(data, textStatus, jqXHR) {
            console.log('testAddLocations erfolgreich');
        },
        error: function(jqXHR, textStatus, errorThrown) {
            console.log('testAddLocations Fehler');
        }
    });

REST的服务

@POST
@Produces({ MediaType.APPLICATION_JSON })
@Path("{tripID}")
public Response addLocations(@PathParam("tripID") final String tripID, Location[] value) {

但我得到一个HTTP-500错误。在服务器上:

SCHWERWIEGEND: The RuntimeException could not be mapped to a response, re-throwing to the HTTP container
JsonFormatException{text=v, line=1, column=1}
at com.sun.jersey.json.impl.reader.JsonLexer.yylex(JsonLexer.java:662)
at com.sun.jersey.json.impl.reader.JsonXmlStreamReader.nextToken(JsonXmlStreamReader.java:162)
java arrays rest post jersey
1个回答
0
投票

我假设它是因为您发送数据的格式。您发布的数据不应该是整个字符串化的JSON吗? (包括通常应该是valuelocation?)

我的意思是泽西岛使用不同的JSON notations来序列化/反序列化消息,所以如果你使用MAPPED表示法,你应该发送类似的东西:

{"location":[
    {"alt":1,"lat":2,"long":3,"time":4},
    {"alt":5,"lat":6,"long":7,"time":8}
]}

这意味着使用jQuery这样的代码:

$.ajax({
    data : JSON.stringify( 
    {"location" : [
        { alt: 1, lat: 2, long: 3, time: 4 },
        { alt: 5, lat: 6, long: 7, time: 8 }
    ]}),
    ....

对于NATURAL表示法,您应该发送:

[
    {"alt":1,"lat":2,"long":3,"time":4},
    {"alt":5,"lat":6,"long":7,"time":8}
]

这意味着代码如下:

$.ajax({
    data : JSON.stringify( 
    [
        { alt: 1, lat: 2, long: 3, time: 4 },
        { alt: 5, lat: 6, long: 7, time: 8 }
    ]),
    ...

查看默认行为的一种快速方法是将其添加到您的服务中,并查看它返回的格式:

@GET
@Produces({ MediaType.APPLICATION_JSON })
@Path("/testNotation")
public Location[] getLocations() {
    return new Location[] { new Location(), new Location() };
}

请点击此处获取更多信息:

http://jersey.java.net/nonav/documentation/latest/json.html http://jersey.java.net/nonav/apidocs/1.17/jersey/com/sun/jersey/api/json/JSONConfiguration.html http://jersey.java.net/nonav/apidocs/1.17/jersey/com/sun/jersey/api/json/JSONConfiguration.Notation.html http://tugdualgrall.blogspot.ro/2011/09/jax-rs-jersey-and-single-element-arrays.html

© www.soinside.com 2019 - 2024. All rights reserved.