我们如何使JSON属性名称动态化。例如
public class Value {
@JsonProperty(value = "value")
private String val;
public void setVal(String val) {
this.val = val;
}
public String getVal() {
return val;
}
}
序列化此对象时,它另存为{"value": "actual_value_saved"}
,但我想使键也像{"new_key": "actual_value_saved"}
一样动态。非常感谢您的帮助。
答案 0 :(得分:1)
您可以将所有可能的名称用作变量,并对其进行注释,以便在它们为null时将其忽略。这样,您只能在JSON中获得具有值的
然后更改您的设置器,以将其输入映射到所需键的变量中。
class Value {
@JsonProperty("val")
@JsonInclude(JsonInclude.Include.NON_NULL)
private String val;
@JsonProperty("new_key")
@JsonInclude(JsonInclude.Include.NON_NULL)
private String newKey;
@JsonProperty("any_random_string")
@JsonInclude(JsonInclude.Include.NON_NULL)
private String anyRandomString;
public void setVal(String s) {
if(/* condition1 */)
this.val = s;
else if (/* condition2 */) {
this.newKey = s;
} else if (/* condition3 */) {
this.anyRandomString = s;
}
}
}
答案 1 :(得分:1)
您可以使用JsonAnySetter JsonAnyGetter注释。您可以在后面使用Map
实例。如果您始终有one-key-object
,则可以使用Collections.singletonMap
;在其他情况下,请使用HashMap
或其他实现。下面的示例显示了使用这种方法并根据需要创建任意数量的随机key
-s是多么容易:
import com.fasterxml.jackson.annotation.JsonAnyGetter;
import com.fasterxml.jackson.annotation.JsonAnySetter;
import com.fasterxml.jackson.databind.ObjectMapper;
import java.util.Collections;
import java.util.Map;
import java.util.Objects;
public class JsonApp {
public static void main(String[] args) throws Exception {
DynamicJsonsFactory factory = new DynamicJsonsFactory();
ObjectMapper mapper = new ObjectMapper();
System.out.println(mapper.writeValueAsString(factory.createUser("Vika")));
System.out.println(mapper.writeValueAsString(factory.createPhone("123-456-78-9")));
System.out.println(mapper.writeValueAsString(factory.any("val", "VAL!")));
}
}
class Value {
private Map<String, String> values;
@JsonAnySetter
public void put(String key, String value) {
values = Collections.singletonMap(key, value);
}
@JsonAnyGetter
public Map<String, String> getValues() {
return values;
}
@Override
public String toString() {
return values.toString();
}
}
class DynamicJsonsFactory {
public Value createUser(String name) {
return any("name", name);
}
public Value createPhone(String number) {
return any("phone", number);
}
public Value any(String key, String value) {
Value v = new Value();
v.put(Objects.requireNonNull(key), Objects.requireNonNull(value));
return v;
}
}
上面的代码显示:
{"name":"Vika"}
{"phone":"123-456-78-9"}
{"val":"VAL!"}
答案 2 :(得分:0)
好问题@Prasad,这个答案与JAVA或SPRING BOOT无关,我只是提出这个答案,因为我搜索了node并希望以某种方式对此有所帮助。在JAVASCRIPT中,我们可以为JSON对象添加动态属性名称,如下所示
var dogs = {};
var dogName = 'rocky';
dogs[dogName] = {
age: 2,
otherSomething: 'something'
};
dogName = 'lexy';
dogs[dogName] = {
age: 3,
otherSomething: 'something'
};
console.log(dogs);
但是当我们需要动态更改名称时,我们必须
除此方法外,还有另一种动态更改JSON名称的方法,谢谢!