2

我有以下代码

Gson gson = new Gson();
String json = gson.toJson(criteria.list()); // list is passed by Hibernate

结果将是这样的:

{creationTime:0, enabled:true, id:1, loginDuration:0, online:false, userName:someone}

我想在 JSON 响应中添加新属性(与 id 具有相同值的 DT_RowId)。最终结果应该是这样的:

{creationTime:0, enabled:true, id:1, loginDuration:0, online:false, userName:someone, DT_RowId=1}

更新

为了解决这个问题,我在实体上创建了一个带有 @Transient 注释的字段。

    ...
    @Transient
    private long DT_RowId;

    public void setId(long id) {
            this.id = id;
            this.DT_RowId=id;
        }
    ...

但是从未调用过 setId 函数。有人可以启发我吗?

4

1 回答 1

3

GSON 不会调用您的 getter 和 setter。它通过反射直接访问成员变量。要完成您尝试做的事情,您需要使用 GSON 自定义序列化器/解串器。自定义序列化器/反序列化器上的 GSON 文档提供了一些示例来说明如何执行此操作。

这是一个通过 JUnit 测试的工作示例,演示了如何执行此操作:

实体.java

public class Entity {
    protected long creationTime;
    protected boolean enabled;
    protected long id;
    protected long loginDuration;
    protected boolean online;
    protected String userName;
    protected long DT_RowId;
}

EntityJsonSerializer.java

import java.lang.reflect.Type;
import com.google.gson.*;

public class EntityJsonSerializer implements JsonSerializer<Entity> {
    @Override
    public JsonElement serialize(Entity entity, Type typeOfSrc, JsonSerializationContext context) {
       entity.DT_RowId = entity.id;
       Gson gson = new Gson();
       return gson.toJsonTree(entity);
    }
}

JSONTest.java

import static org.junit.Assert.*;
import org.junit.Test;
import com.google.gson.*;

public class JSONTest {
    @Test
    public final void testSerializeWithDTRowId() {
        Entity entity = new Entity();
        entity.creationTime = 0;
        entity.enabled = true;
        entity.id = 1;
        entity.loginDuration = 0;
        entity.online = false;
        entity.userName = "someone";

        GsonBuilder builder = new GsonBuilder();
        builder.registerTypeAdapter(Entity.class, new EntityJsonSerializer());
        Gson gson = builder.create();
        String json = gson.toJson(entity);
        String expectedJson = "{\"creationTime\":0,\"enabled\":true,\"id\":1,\"loginDuration\":0,\"online\":false,\"userName\":\"someone\",\"DT_RowId\":1}";
        assertEquals(expectedJson, json);
    }
}
于 2012-11-01T13:54:57.317 回答