JSON对象包含jsonKey并传递给方法时,下面显示的代码可以很好地工作。我想知道...是否有办法获取分配给键的不区分大小写表示的值?

示例:

public String getOutputEventDescription(JsonElement outputEvent) throws ParserException {
    return retrieveString(outputEvent, DESCRIPTION);
}

无论DESCRIPTION是否定义为“Description”,“description”或“DeScRipTIOn”,都应该起作用
protected String retrieveString(JsonElement e, String jsonKey) throws ParserException {

JsonElement value = e.getAsJsonObject().get(jsonKey);

if (value == null) {
    throw new ParserException("Key not found: " + jsonKey);
}

if (value.getAsString().trim().isEmpty()) {
    throw new ParserException("Key is empty: " + jsonKey);
}

return e.getAsJsonObject().get(jsonKey).getAsString();
}

最佳答案

不幸的是,当前的实现似乎没有一种方法可以做到这一点。如果查看Gson源代码,更具体地说是JsonObject实现,您将看到基础数据结构是链接的哈希映射。 get调用仅调用 map 上的get,后者依次使用哈希码和键的equals方法查找要查找的对象。

唯一的解决方法是为您的 key 强制执行一些命名约定。最简单的方法是将所有键都强制转换为小写。如果您需要大小写混合的键,那么您将面临更多困难,并且需要编写更复杂的算法来转换键,而不是简单地调用jsonKey.toLowerCase()。

10-04 13:18