我对抽象类和JSON序列化和反序列化的对象引用存在问题。抽象问题看起来像这样:
我有一个由节点和边组成的图。每条边连接两个节点。节点可以是红色和绿色。因此,有一个抽象类Node
和两个派生类RedNode
和GreenNode
。 Node
需要id
(@JsonIdentityInfo(generator = ObjectIdGenerators.PropertyGenerator.class, property = "id")
):
@JsonSubTypes({
@JsonSubTypes.Type(value = GreenNode.class, name = "GreenNode"),
@JsonSubTypes.Type(value = RedNode.class, name = "RedNode")
})
@JsonIdentityInfo(generator = ObjectIdGenerators.PropertyGenerator.class, property = "id")
public abstract class Node {
public String id;
}
public class RedNode extends Node {
// ...
}
public class GreenNode extends Node {
// ...
}
Edge
的来源和目标类型为Node
,序列化为引用(@JsonIdentityReference(alwaysAsId = true)
):
public class Edge {
@JsonIdentityReference(alwaysAsId = true)
public Node source;
@JsonIdentityReference(alwaysAsId = true)
public Node target;
}
图表定义如下:
public class Graph {
public List<GreenNode> greenNodes = new ArrayList();
public List<RedNode> redNodes = new ArrayList();
public List<Edge> edges = new ArrayList();
}
示例JSON如下所示:
{
"greenNodes" : [ {
"id" : "g",
"content" : "green g",
"greenProperty" : "green"
} ],
"redNodes" : [ {
"id" : "r",
"content" : "red r",
"redProperty" : "red"
} ],
"edges" : [ {
"source" : "g",
"target" : "r"
} ]
}
使用ObjectMapper无法读取此内容:
无法构造com.github.koppor.jsonidentityissue.model.Node的实例:抽象类型需要映射到具体类型,具有自定义反序列化器或包含其他类型信息
错误位置为“line:13,column:16”。因此,它被边缘的id击中。节点本身已正确序列化。
解决方法是在json中添加类型信息:
@JsonTypeInfo(
use = JsonTypeInfo.Id.NAME,
include = JsonTypeInfo.As.PROPERTY,
property = "type")
public abstract class Node {
然后,一切正常:
{
"greenNodes" : [ {
"id" : "g",
"type" : "GreenNode",
"content" : "green g",
"greenProperty" : "green"
} ],
"redNodes" : [ {
"id" : "r",
"type" : "RedNode",
"content" : "red r",
"redProperty" : "red"
} ],
"edges" : [ {
"source" : "g",
"target" : "r"
} ]
}
然后,一切正常。
是否真的有必要在引用的对象中包含类型信息才能使引用有效?如果没有类型信息,则可以加载具有红色和绿色节点(并且没有边缘)的图形。边缘进入后,它不能。但是,边的JSON仅包含id。已经解析了引用的对象。
我真的想摆脱@JsonTypeInfo
注释。有没有办法让干净的JSON?
完整示例可在https://github.com/koppor/jackson-jsonidentityreference-issue/tree/issue处获得。
答案 0 :(得分:2)
目前的解决方案是包含假类型信息。完整代码位于https://github.com/koppor/jackson-jsonidentityreference-issue。
Node
获取现有属性type
,但未写入:
@JsonTypeInfo(
use = JsonTypeInfo.Id.NAME,
include = JsonTypeInfo.As.EXISTING_PROPERTY,
property = "type")
public abstract class Node {
@JsonIgnore
public abstract String getType();
}
每个子类将自己指定为defaultImpl
,并提供getType
的实现:
@JsonTypeInfo(
use = JsonTypeInfo.Id.NAME,
include = JsonTypeInfo.As.EXISTING_PROPERTY,
property = "type",
defaultImpl=GreenNode.class)
public class GreenNode extends Node {
@Override
public String getType() {
return "GreeNode";
}
}
这样,JSON仍然保持干净,但Jackson可以毫无问题地解析id引用。