我正在使用:
import io.vertx.core.json.JsonObject;
说我们有一堂课
class Foo {
public String barStar;
public boolean myBool;
}
然后我们有一个像这样的JsonObject:
var o = new JsonObject(`{"bar_star":"yes","my_bool":true}`);
是否有一些内置的机制将JsonObject映射到类中的匹配字段?我正在考虑某种地图实例,例如:
Foo f = o.mapTo(Foo.class, Map.of("bar_star","barStar","my_bool","myBool");
因此您将传入一个映射实例,这将告诉JsonObject如何映射字段?能以某种方式显示如何执行此操作的示例吗?我专门询问在反序列化为类之前如何映射字段。
答案 0 :(得分:2)
Jackson databind文档介绍了如何将String
有效负载转换为POJO
,如何将Map
转换为POJO
等。看看readValue
中的convertValue
和ObjectMapper
方法。
编辑
命名约定只有一个问题。 POJO
个属性不适合JSON
。您需要对属性使用SNAKE_CASE
命名策略或JsonProperty
注释:
String json = "{\"bar_star\":\"yes\",\"my_bool\":true}";
ObjectMapper mapper = new ObjectMapper();
mapper.setPropertyNamingStrategy(PropertyNamingStrategy.SNAKE_CASE);
JsonNode node = mapper.readTree(json);
System.out.println("Node: " + node);
System.out.println("Convert node to Foo: " + mapper.convertValue(node, Foo.class));
System.out.println("Deserialise JSON to Foo: " + mapper.readValue(json, Foo.class));
上面的代码显示:
Node: {"bar_star":"yes","my_bool":true}
Convert node to Foo: Foo{barStar='yes', myBool=true}
Deserialise JSON to Foo: Foo{barStar='yes', myBool=true}
JsonProperty
可以按以下方式使用:
@JsonProperty("bar_star")
public String barStar;
答案 1 :(得分:1)
我创建了一个演示此问题的小应用程序。
要了解所有内容,最好只看一下整个代码库。
在以下位置找到它:https://github.com/thokari/epages-app-kickstart
我正在发布一些代码,这通常是stackoverflow所要求的。
这是Model
基类和扩展它的类:
package de.thokari.epages.app.model;
import io.vertx.core.json.Json;
import io.vertx.core.json.JsonObject;
public abstract class Model {
public static <T extends Model> T fromJsonObject(JsonObject source, Class<T> clazz) {
return Json.decodeValue(source.encode(), clazz);
}
public JsonObject toJsonObject() {
return new JsonObject(Json.encode(this));
}
protected static <T> T validate(final String key, final T value) {
if (null == value) {
throw new IllegalArgumentException(key + " must not be null");
} else {
return (T) value;
}
}
public String toString() {
return Json.encode(this);
}
}
package de.thokari.epages.app.model;
import java.io.UnsupportedEncodingException;
import java.net.URLDecoder;
import java.security.InvalidKeyException;
import java.security.NoSuchAlgorithmException;
import java.util.Base64;
import javax.crypto.Mac;
import javax.crypto.spec.SecretKeySpec;
import com.fasterxml.jackson.annotation.JsonCreator;
import com.fasterxml.jackson.annotation.JsonProperty;
import io.vertx.core.MultiMap;
import io.vertx.core.logging.Logger;
import io.vertx.core.logging.LoggerFactory;
public class InstallationRequest extends Model {
private static final Logger LOG = LoggerFactory.getLogger(InstallationRequest.class);
@JsonProperty("code")
public String code;
@JsonProperty("api_url")
public String apiUrl;
@JsonProperty("access_token_url")
public String accessTokenUrl;
@JsonProperty("return_url")
public String returnUrl;
@JsonProperty("token_path")
public String tokenPath;
@JsonProperty("signature")
public String signature;
@JsonCreator
public InstallationRequest(
@JsonProperty("code") String code,
@JsonProperty("api_url") String apiUrl,
@JsonProperty("access_token_url") String accessTokenUrl,
@JsonProperty("return_url") String returnUrl,
@JsonProperty("signature") String signature) {
this.code = validate("code", code);
this.apiUrl = validate("api_url", apiUrl);
this.accessTokenUrl = validate("access_token_url", accessTokenUrl);
this.returnUrl = validate("return_url", returnUrl);
this.signature = validate("signature", signature);
try {
this.tokenPath = accessTokenUrl.substring(apiUrl.length());
} catch (Exception e) {
throw new IllegalArgumentException("access_token_url must contain api_url");
}
}
public static InstallationRequest fromMultiMap(MultiMap source) {
return new InstallationRequest(
source.get("code"), //
source.get("api_url"), //
source.get("access_token_url"), //
source.get("return_url"), //
source.get("signature"));
}
public static InstallationRequest fromCallbackUrl(String callbackUrl) {
String query = callbackUrl.split("\\?")[1];
String[] parameters = query.split("&");
String code = parameters[0].split("=")[1];
String accessTokenUrl = parameters[1].split("=")[1];
String urlEncodedSignature = parameters[2].split("=")[1];
String signature = null;
try {
signature = URLDecoder.decode(urlEncodedSignature, "utf-8");
} catch (UnsupportedEncodingException e) {
LOG.error("Something went wrong because of a programming error");
}
// TODO why is this missing?!
String apiUrl = accessTokenUrl.substring(0, accessTokenUrl.indexOf("/token"));
return new InstallationRequest(code, apiUrl, accessTokenUrl, "not_needed", signature);
}
public Boolean hasValidSignature(String secret) {
String algorithm = "HmacSHA256";
String encoding = "utf-8";
Mac mac;
try {
mac = Mac.getInstance(algorithm);
mac.init(new SecretKeySpec(secret.getBytes(encoding), algorithm));
} catch (NoSuchAlgorithmException | InvalidKeyException | UnsupportedEncodingException e) {
LOG.error("Signature validation failed because of programming error", e);
return false;
}
byte[] rawSignature = mac.doFinal((this.code + ":" + this.accessTokenUrl).getBytes());
String signature = Base64.getEncoder().encodeToString(rawSignature);
return this.signature.equals(signature);
}
}
答案 2 :(得分:0)
Vert.x具有mapTo
方法(请参见here)。当您已经拥有JsonObject
时, 比建议的编码和解码解决方案更有效。
在后台使用Jackson进行映射,因此您只需使用@JsonProperty("...")
即可覆盖属性映射。
您的示例如下所示:
class Foo {
@JsonProperty("bar_start")
public String barStar;
@JsonProperty("my_bool")
public boolean myBool;
}
JsonObject obj = new JsonObject(`{"bar_star":"yes","my_bool":true}`);
Foo foo = obj.mapTo(Foo.class);