gson 如何检查JSON数组中是否存在某个键的值?

nmpmafwu  于 2022-11-06  发布在  其他
关注(0)|答案(2)|浏览(349)

我的JSON数组文件:

[
    {
      "setName": "set-1",
      "testTagName": "Test1",
      "methodName": "addCustomer"
    },
    {
        "setName": "set-1",
        "testTagName": "Test2",
        "methodName": "addAccount"
    },
    {
        "setName": "set-2",
        "testTagName": "Test3",
        "methodName": "addRole"
    }
  ]

我使用Java。我在一个Gson对象中有上面的JSON数组。我如何遍历这个Gson数组来检查一个特定的方法名(例如:addRole),是否存在于JSON数组的任何对象**中的键“methodName”**的数组中?我希望结果为true/false。
我检查了GSON文档-()
has方法似乎检查键。我正在寻找一个方法,可以迭代通过数组的对象,并检查是否存在一个特定的值为特定的键。
我如何才能做到这一点?

cczfrluj

cczfrluj1#

首先,您需要以如下方式将JSON代码反序列化为JsonArray:

JsonArray jsonArr = gson.fromJson(jsonString, JsonArray.class);

然后,您可以创建此方法:

public boolean hasValue(JsonArray json, String key, String value) {
    for(int i = 0; i < json.size(); i++) {  // iterate through the JsonArray
        // first I get the 'i' JsonElement as a JsonObject, then I get the key as a string and I compare it with the value
        if(json.get(i).getAsJsonObject().get(key).getAsString().equals(value)) return true;
    }
    return false;
}

现在您可以呼叫方法:

hasValue(jsonArr, "methodName", "addRole");
daupos2t

daupos2t2#

您可以在JsonArray中获取JSON,然后在检查所需值的同时迭代元素。
上面的@Crih.exe建议了一种方法,如果你想使用Streams,你可以将JsonArray转换成一个流,然后使用anyMatch返回一个布尔值

...
// Stream JsonArray
Stream<JsonElement> stream = StreamSupport.stream(array.spliterator(), true);

// Check for any matching element
boolean result = stream.anyMatch(e -> e.getAsJsonObject()
                   .get("methodName").getAsString().equals("addRole"));

System.out.println(result);
...

相关问题