ChatGPT解决这个技术问题 Extra ChatGPT

将 JSON 数据转换为 Java 对象

我希望能够从我的 Java 操作方法中的 JSON 字符串访问属性。只需说出 myJsonString = object.getJson() 即可获得该字符串。下面是字符串的外观示例:

{
    'title': 'ComputingandInformationsystems',
    'id': 1,
    'children': 'true',
    'groups': [{
        'title': 'LeveloneCIS',
        'id': 2,
        'children': 'true',
        'groups': [{
            'title': 'IntroToComputingandInternet',
            'id': 3,
            'children': 'false',
            'groups': []
        }]
    }]
}

在这个字符串中,每个 JSON 对象都包含一个其他 JSON 对象的数组。目的是提取 ID 列表,其中任何给定对象拥有包含其他 JSON 对象的组属性。我将 Google 的 Gson 视为一个潜在的 JSON 插件。任何人都可以就如何从这个 JSON 字符串生成 Java 提供某种形式的指导吗?


C
Community

我将 Google 的 Gson 视为一个潜在的 JSON 插件。任何人都可以就如何从这个 JSON 字符串生成 Java 提供某种形式的指导吗?

Google Gson 支持泛型和嵌套 bean。 JSON 中的 [] 表示一个数组,应该映射到一个 Java 集合,例如 List 或只是一个普通的 Java 数组。 JSON 中的 {} 表示一个对象,应该映射到 Java Map 或只是一些 JavaBean 类。

您有一个带有多个属性的 JSON 对象,其中的 groups 属性表示一组相同类型的嵌套对象。这可以通过以下方式使用 Gson 进行解析:

package com.stackoverflow.q1688099;

import java.util.List;
import com.google.gson.Gson;

public class Test {

    public static void main(String... args) throws Exception {
        String json = 
            "{"
                + "'title': 'Computing and Information systems',"
                + "'id' : 1,"
                + "'children' : 'true',"
                + "'groups' : [{"
                    + "'title' : 'Level one CIS',"
                    + "'id' : 2,"
                    + "'children' : 'true',"
                    + "'groups' : [{"
                        + "'title' : 'Intro To Computing and Internet',"
                        + "'id' : 3,"
                        + "'children': 'false',"
                        + "'groups':[]"
                    + "}]" 
                + "}]"
            + "}";

        // Now do the magic.
        Data data = new Gson().fromJson(json, Data.class);

        // Show it.
        System.out.println(data);
    }

}

class Data {
    private String title;
    private Long id;
    private Boolean children;
    private List<Data> groups;

    public String getTitle() { return title; }
    public Long getId() { return id; }
    public Boolean getChildren() { return children; }
    public List<Data> getGroups() { return groups; }

    public void setTitle(String title) { this.title = title; }
    public void setId(Long id) { this.id = id; }
    public void setChildren(Boolean children) { this.children = children; }
    public void setGroups(List<Data> groups) { this.groups = groups; }
    
    public String toString() {
        return String.format("title:%s,id:%d,children:%s,groups:%s", title, id, children, groups);
    }
}

相当简单,不是吗?只要有一个合适的 JavaBean 并调用 Gson#fromJson()

也可以看看:

Json.org - JSON 简介

Gson 用户指南 - Gson 简介


表现?你真的测量过吗?虽然 GSON 具有合理的功能集,但我认为性能是一种弱点(根据 [cowtowncoder.com/blog/archives/2009/09/entry_326.html])。例如:我认为 GSON 并不真正需要设置器,而是基于字段。所以代码可以稍微简化。
我在一个安卓应用程序中使用它。这不是最快的解决方案,但它的编程很简单,可以证明到目前为止用户性能不足是合理的。也许在应用程序的更高版本中,它将被删除以获得更快的解决方案。
Wrt速度,如果它足够快,它就足够快了。我只是评论了预期的良好表现。功能集明智的杰克逊处理所有相同的嵌套、分层、泛型,所以这不是速度差异的来源。拥有 getter 和 setter 不会以任何可衡量的方式影响性能(对于我知道的包),所以绝对可以让它们在那里。
+1 为“包 com.stackoverflow.q1688099;”。不知为何,这让我笑了。
我使用过很多 java 和 json。没有什么能比得上杰克逊,StaxMan 是爸爸!!!!,GSon 是一个不错的尝试,但它没有得到雪茄 :)
D
Dave Jarvis

Gson的Bewaaaaare!它非常酷,非常棒,但是当您想做除了简单对象之外的任何事情时,您可能很容易需要开始构建自己的序列化程序(这并不难)。

此外,如果您有一个对象数组,并且您将一些 json 反序列化到该对象数组中,那么真正的类型就会丢失!完整的对象甚至不会被复制!使用 XStream.. 如果使用 jsondriver 并设置适当的设置,它将把丑陋的类型编码到实际的 json 中,这样你就不会丢失任何东西。真正的序列化需要付出很小的代价(丑陋的 json)。

请注意,Jackson 解决了这些问题,并且比 GSON 是 faster


我编写了 Gson 的一个分支来解决这些问题(并避免了杰克逊的所有注释):github.com/winterstein/flexi-gson
Y
Yogi Valani

奇怪的是,到目前为止提到的唯一不错的 JSON 处理器是 GSON。

这里有更多不错的选择:

Jackson (Github) -- 强大的数据绑定(JSON 到/从 POJO)、流式传输(超快)、树模型(方便无类型访问)

Flex-JSON——高度可配置的序列化

编辑(2013 年 8 月):

还有一个要考虑的:

Genson - 类似于 Jackson 的功能,旨在更易于开发人员配置


D
Diego Sevilla

或与杰克逊:

String json = "...";
ObjectMapper m = new ObjectMapper();
Set<Product> products = m.readValue(json, new TypeReference<Set<Product>>() {});

这将给出错误 can not deserialize instance of java.util.HashSet out of START_OBJECT token
R
Rahul Raina

将 JSONObject 转换为 Java 对象的简单且有效的 Java 代码

雇员.java

import java.util.HashMap;
import java.util.Map;

import javax.annotation.Generated;

import com.fasterxml.jackson.annotation.JsonAnyGetter;
import com.fasterxml.jackson.annotation.JsonAnySetter;
import com.fasterxml.jackson.annotation.JsonIgnore;
import com.fasterxml.jackson.annotation.JsonInclude;
import com.fasterxml.jackson.annotation.JsonProperty;
import com.fasterxml.jackson.annotation.JsonPropertyOrder;

@JsonInclude(JsonInclude.Include.NON_NULL)
@Generated("org.jsonschema2pojo")
@JsonPropertyOrder({
"id",
"firstName",
"lastName"
})
public class Employee {

@JsonProperty("id")
private Integer id;
@JsonProperty("firstName")
private String firstName;
@JsonProperty("lastName")
private String lastName;
@JsonIgnore
private Map<String, Object> additionalProperties = new HashMap<String, Object>();

/**
*
* @return
* The id
*/
@JsonProperty("id")
public Integer getId() {
return id;
}

/**
*
* @param id
* The id
*/
@JsonProperty("id")
public void setId(Integer id) {
this.id = id;
}

/**
*
* @return
* The firstName
*/
@JsonProperty("firstName")
public String getFirstName() {
return firstName;
}

/**
*
* @param firstName
* The firstName
*/
@JsonProperty("firstName")
public void setFirstName(String firstName) {
this.firstName = firstName;
}

/**
*
* @return
* The lastName
*/
@JsonProperty("lastName")
public String getLastName() {
return lastName;
}

/**
*
* @param lastName
* The lastName
*/
@JsonProperty("lastName")
public void setLastName(String lastName) {
this.lastName = lastName;
}

@JsonAnyGetter
public Map<String, Object> getAdditionalProperties() {
return this.additionalProperties;
}

@JsonAnySetter
public void setAdditionalProperty(String name, Object value) {
this.additionalProperties.put(name, value);
}

}

LoadFromJSON.java

import org.codehaus.jettison.json.JSONObject;

import com.fasterxml.jackson.databind.ObjectMapper;

public class LoadFromJSON {

    public static void main(String args[]) throws Exception {
        JSONObject json = new JSONObject();
        json.put("id", 2);
        json.put("firstName", "hello");
        json.put("lastName", "world");

        byte[] jsonData = json.toString().getBytes();

        ObjectMapper mapper = new ObjectMapper();
        Employee employee = mapper.readValue(jsonData, Employee.class);

        System.out.print(employee.getLastName());

    }
}

如何在 JSP 中访问这些 json 属性?
如果您不想在 JSP 页面中使用它,那么代码仍然相同。 Employee.java 类将与其相同。但是用 LoadFromJSON.java 编写的代码将被复制到 jsp 页面中,并正确导入每个类。休息根本没有变化。
c
cherouvim

如果通过任何更改,您在一个已经使用 http://restfb.com/ 的应用程序中,那么您可以执行以下操作:

import com.restfb.json.JsonObject;

...

JsonObject json = new JsonObject(jsonString);
json.get("title");

等等


您的解决方案更短且更易于理解,为什么它只收到 3 个赞成票?有什么问题吗?
M
Massimiliano Kraus
HashMap keyArrayList = new HashMap();
Iterator itr = yourJson.keys();
while (itr.hasNext())
{
    String key = (String) itr.next();
    keyArrayList.put(key, yourJson.get(key).toString());
}

J
Juanma

如果您使用任何类型的特殊映射以及特殊映射的键或值,您会发现谷歌的实现没有考虑到它。


j
juanlumn

根据输入的 JSON 格式(字符串/文件)创建一个 jSONString。 JSON对应的示例Message类对象可以得到如下:

Message msgFromJSON = new ObjectMapper().readValue(jSONString, Message.class);

K
Kevin

标准的东西有什么问题?

JSONObject jsonObject = new JSONObject(someJsonString);
JSONArray jsonArray = jsonObject.getJSONArray("someJsonArray");
String value = jsonArray.optJSONObject(i).getString("someJsonValue");

它非常慢:github.com/fabienrenaud/java-json-benchmark 最近在工作中,我通过将所有 org.json ser/deserialization 调用切换为使用 jackson,将我们的 prod 服务器的性能(cpu 使用率减半,延迟减少)提高了一倍。
R
RickHigh

试一试:

https://github.com/RichardHightower/boon

它是邪恶的快:

https://github.com/RichardHightower/json-parsers-benchmark

不要相信我的话...查看加特林基准。

https://github.com/gatling/json-parsers-benchmark

(某些情况下高达 4x,并且在 100 次测试中。它还有一个更快的索引覆盖模式。它很年轻,但已经有一些用户。)

它可以将 JSON 解析为 Maps 和 Lists,比任何其他 lib 解析为 JSON DOM 的速度更快,并且没有索引覆盖模式。使用 Boon Index Overlay 模式,它甚至更快。

它还具有非常快速的 JSON 宽松模式和 PLIST 解析器模式。 :)(并且具有超低内存,直接从字节模式使用 UTF-8 编码)。

它也有最快的 JSON to JavaBean 模式。

它是新的,但如果您正在寻找速度和简单的 API,我认为没有更快或更简约的 API。


您能否提供最新版本的最新文档链接?截至今天,我找到了 0.4,但无法轻松找到该版本的匹配文档链接或教程。谢谢
这是一个教程 github.com/RichardHightower/boon/wiki/Boon-JSON-in-five-minutes Boon 在公共 maven 存储库中。它在 0.27 左右。
richardhightower.github.io/site/releases 有 0.4,所以我认为这是最新的。我一直在检查 Boon 的工作项目,它是否有与 Jackson 的 @JsonIgnore 等效的注释?
boon 处于 ser/反序列化性能的低端:github.com/fabienrenaud/java-json-benchmark 选择 jackson 或 dsljson 以获得性能。 @RickHigh:我无法在您的 github 上打开问题,如果有任何错误/我错过了,我非常愿意改进我的基准或纠正它的解释。
M
Massimiliano Kraus

最简单的方法是您可以使用此 softconvertvalue 方法,这是一种自定义方法,您可以在其中将 jsonData 转换为您的特定 Dto 类。

Dto response = softConvertValue(jsonData, Dto.class);


public static <T> T softConvertValue(Object fromValue, Class<T> toValueType) 
{
    ObjectMapper objMapper = new ObjectMapper();
    return objMapper
        .configure(DeserializationFeature.FAIL_ON_UNKNOWN_PROPERTIES, false)
        .convertValue(fromValue, toValueType);
}

S
Sathiamoorthy

以这种方式传递您的 JSON 文件,它将返回对象。

File file = new File("D:\\Coding\\tickets\\temp.json");
ObjectMapper om = new ObjectMapper();
Profile profile = om.readValue(file, new TypeReference<Profile>() {});

s
skyho

        <!-- GSON -->
        <dependency>
            <groupId>com.google.code.gson</groupId>
            <artifactId>gson</artifactId>
            <version>2.8.7</version>
        </dependency>
  @Test
    void readListJsonFromFileTest() throws IOException {

        Type type = new TypeToken<List<SimplePojo>>(){}.getType();

        String fromJsonFile = readFromJsonFile("json/simplePojoJsonList.json");

        List<SimplePojo> pojoList = gson.fromJson(fromJsonFile, type);

        Assertions.assertNotNull(pojoList);
    }

    @Test
    void readJsonFromFileTest() throws IOException {

        Type type = new TypeToken<SimplePojo>(){}.getType();

        String fromJsonFile = readFromJsonFile("json/simplePojoJson.json");

        SimplePojo simplePojo = gson.fromJson(fromJsonFile, type);

        Assertions.assertNotNull(simplePojo);
    }

     String readFromJsonFile(String pathToJson) throws IOException {

        InputStream resource = new ClassPathResource(pathToJson).getInputStream();

        String json = StreamUtils.copyToString(resource, StandardCharsets.UTF_8);

        return json;
    }