0

我正在尝试解析以下json。这必须给我一个错误,说不正确的 json 格式。但是解析器只解析 json 直到 "value:15" 并且没有抛出任何异常。我怎样才能做到这一点?

String json = { and : [{key: domain, value: cricket}, {key : STAT_CDE,value : 15}]}, { and : [{key: domain, value: football}, {key : STAT_CDE,value : 10}]}

我正在使用的示例代码:

import org.codehaus.jackson.map.ObjectMapper;

ObjectMapper mapper = new ObjectMapper();
mapper.readTree(json); //this line is not throwing me any exception

这是代码片段:

import org.codehaus.jackson.map.ObjectMapper;

public class JsonTestParse {
    public static void main(String[] args) {
        String json = "{ \"and\" : [{\"key\": \"domain\", \"op\": \"=\", \"value\": \"cricket\"}, {\"key\" : \"STAT_CDE\",\"op\" : \"=\",\"value\" : \"13\"}]},"+
                "{ \"and\" : [{\"key\": \"domain\", \"op\": \"=\", \"value\": \"Football\"}, {\"key\" : \"STAT_CDE\",\"op\" : \"=\",\"value\" : \"10\"}]}";

        System.out.println("json: " + json);

        ObjectMapper mapper = new ObjectMapper();
        try {
            mapper.readTree(json);
        } catch (Exception e) {
            System.out.println("object mapper exp");

        }
        System.out.println("mapper complete");

    }

}

和输出:

第 1 行: json: { "and" : [{"key": "domain", "op": "=", "value": "cricket"}, {"key" : "STAT_CDE","op" : "=","value" : "13"}]},{ "and" : [{"key": "domain", "op": "=", "value": "Football"}, {"key " : "STAT_CDE","op" : "=","value" : "10"}]} 第 2 行:映射器完成

4

1 回答 1

1

问题是那个json格式没有问题!从语法上讲,您将逗号分隔的列表分配给json,这是完全有效的代码 - 它将设置json为列表中的第一项,而不对其余值执行任何操作。

代码执行后,json如下所示:

String json = { and : [{key: domain, value: cricket}, {key : STAT_CDE,value : 15}]}

而这个值被完全忽略了:

{ and : [{key: domain, value: football}, {key : STAT_CDE,value : 10}]}

如您所见,json结构非常好。

此外,看起来您期待一个String对象,但您提供的是地图。

尝试以下操作:

String json = "{ and : [{key: domain, value: cricket}, {key : STAT_CDE,value : 15}]}, { and : [{key: domain, value: football}, {key : STAT_CDE,value : 10}]}"

然后解析json. 这肯定会失败,因为键没有用双引号("字符)括起来,这是 json 格式的要求。

编辑

要及时了解问题:

这是您说您正在使用的 json 的格式化视图:

{ 
    "and" : [
        {"key": "domain", "op": "=", "value": "cricket"}, 
        {"key" : "STAT_CDE","op" : "=","value" : "15"}
    ]
},
{
    "and" : [
        {"key": "domain", "op": "=", "value": "football"},
        {"key" : "STAT_CDE","op" : "=","value" : "10"}
    ]
}

问题是这不是一个 json 对象 - 它是两个单独的 json 对象,每个对象都是格式正确的。我猜它会ObjectMapper解析一个完整的 json 结构,并忽略任何尾随数据而不会引发错误。

如果您想在 json 中捕获整个结构,则需要将它们封装在一起,可能使用数组:

[
    { 
        "and" : [
            {"key": "domain", "op": "=", "value": "cricket"}, 
            {"key" : "STAT_CDE","op" : "=","value" : "15"}
        ]
    },
    {
        "and" : [
            {"key": "domain", "op": "=", "value": "football"},
            {"key" : "STAT_CDE","op" : "=","value" : "10"}
        ]
    }
]
于 2016-01-28T23:30:09.847 回答