我有一个带有json对象作为属性值的json文件:
{
"name": "name",
"json": {...}
}
我需要在RestController中自动获取它,并将其用作JPA + Hibernate中的实体。
我的实体是:
更新->更多指定的实体
@Entity
@Table(name = "collections")
public class Collection {
@Id
private String name;
@Column(name = "cache_limit")
private int limit;
@Column(name = "cache_algorithm")
private String algorithm;
@Transient
private JsonNode schema;
@JsonIgnore
@Column(name ="json_schema")
private String jsonSchema;
public Collection() {
}
public String getJsonSchema() {
return schema.toString();
}
public void setJsonSchema(String jsonSchema) {
ObjectMapper mapper = new ObjectMapper();
try {
schema = mapper.readTree(jsonSchema);
} catch (IOException e) {
throw new RuntimeException("Parsing error -> String to JsonNode");
}
}
..setters and getters for name limit algorithm schema..
}
当我使用
entityManager.persist(Collection)
时,我将json_schema
列设置为NULL我该如何解决?问题可能在setJsonSchema()中
更新:
public String getJsonSchema() {
return jsonSchema;
}
public void setJsonSchema(JsonNode schema) {
this.jsonSchema = schema.toString();
}
这样的吸气剂/吸气剂不能解决问题
最佳答案
您可以将JsonNode json
属性定义为@Transient
,因此JPA不会尝试将其存储在数据库中。但是,杰克逊应该能够将其翻译回杰森。
然后,您可以为JPA编写getter / setter代码,以便从JsonNode转换为String来回转发。您定义一个将getJsonString
转换为JsonNode json
的吸气剂String
。可以将其映射到表列(例如'json_string'),然后定义一个setter,从JPA接收String
并将其解析为JsonNode可用的JsonNode。
不要忘记将@JsonIgnore
添加到getJsonString
,以便Jackson不会尝试将jsonString转换为json。
@Entity
@Table(name = "cats")
public class Cat {
private Long id;
private String name;
@Transient
private JsonNode json;
@Id
@GeneratedValue(strategy = GenerationType.AUTO)
public Long getId() {
return id;
}
@Column(name ="name")
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public void setId(Long id) {
this.id = id;
}
// Getter and setter for name
@Transient
public JsonNode getJson() {
return json;
}
public void setJson(JsonNode json) {
this.json = json;
}
@Column(name ="jsonString")
public String getJsonString() {
return this.json.toString();
}
public void setJsonString(String jsonString) {
// parse from String to JsonNode object
ObjectMapper mapper = new ObjectMapper();
try {
this.json = mapper.readTree(jsonString);
} catch (Exception e) {
e.printStackTrace();
}
}
}
关于java - 如何使用Jackson解析Spring Boot Application中的JSON,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/54975002/