我有以下代码
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响应中添加新属性(DT_RowId,其值与id相同)。最终结果应该是这样的:
{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函数。有人可以启发我吗?
答案 0 :(得分:3)
GSON不会打电话给你的getter和setter。它通过反射直接访问成员变量。要完成您要执行的操作,您需要使用GSON自定义序列化器/解串器。 The GSON docs on custom serializers/deserializers提供了一些如何执行此操作的示例。
这是一个带有传递JUnit测试的工作示例,演示了如何执行此操作:
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;
}
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);
}
}
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);
}
}