GSON과의 JSON 해석 중 Enum 사용
아까 여기서 물어본 질문입니다.
저는 같은 JSON을 해석하려고 하는데, 지금은 수업을 조금 바꿨습니다.
{
"lower": 20,
"upper": 40,
"delimiter": " ",
"scope": ["${title}"]
}
현재 내 수업은 다음과 같습니다.
public class TruncateElement {
private int lower;
private int upper;
private String delimiter;
private List<AttributeScope> scope;
// getters and setters
}
public enum AttributeScope {
TITLE("${title}"),
DESCRIPTION("${description}"),
private String scope;
AttributeScope(String scope) {
this.scope = scope;
}
public String getScope() {
return this.scope;
}
}
이 코드는 예외를 발생시킵니다.
com.google.gson.JsonParseException: The JsonDeserializer EnumTypeAdapter failed to deserialized json object "${title}" given the type class com.amazon.seo.attribute.template.parse.data.AttributeScope
at
이 예외는 이해할 수 있습니다.왜냐하면 이전 질문의 해결책에 따르면 GSON은 Enum 객체가 실제로 생성되기를 기대하고 있기 때문입니다.
${title}("${title}"),
${description}("${description}");
그러나 이것은 구문적으로 불가능하기 때문에 권장되는 해결책과 회피책은 무엇입니까?
NAZIK/user2724653 answer를 조금 확장하고 싶습니다.Java 코드는 다음과 같습니다.
public class Item {
@SerializedName("status")
private Status currentState = null;
// other fields, getters, setters, constructor and other code...
public enum Status {
@SerializedName("0")
BUY,
@SerializedName("1")
DOWNLOAD,
@SerializedName("2")
DOWNLOADING,
@SerializedName("3")
OPEN
}
}
json 파일에는 필드만 있습니다."status": "N",여기서 N=0,1,2,3 - 상태 값에 따라 달라집니다.그게 다예요.GSON네스트된 값에 대해 올바르게 동작합니다.enum제 경우엔 그 목록을 구문 분석해서Items부터json어레이:
List<Item> items = new Gson().<List<Item>>fromJson(json,
new TypeToken<List<Item>>(){}.getType());
Gson의 매뉴얼에서 다음 항목을 참조하십시오.
Gson은 Enums에 대해 기본 직렬화 및 직렬화 해제 기능을 제공합니다.기본 표현을 변경하려면 GsonBuilder.register를 통해 유형 어댑터를 등록하면 됩니다.TypeAdapter(타입, 오브젝트).
다음은 그러한 접근법 중 하나입니다.
import java.io.FileReader;
import java.lang.reflect.Type;
import java.util.List;
import com.google.gson.Gson;
import com.google.gson.GsonBuilder;
import com.google.gson.JsonDeserializationContext;
import com.google.gson.JsonDeserializer;
import com.google.gson.JsonElement;
import com.google.gson.JsonParseException;
public class GsonFoo
{
public static void main(String[] args) throws Exception
{
GsonBuilder gsonBuilder = new GsonBuilder();
gsonBuilder.registerTypeAdapter(AttributeScope.class, new AttributeScopeDeserializer());
Gson gson = gsonBuilder.create();
TruncateElement element = gson.fromJson(new FileReader("input.json"), TruncateElement.class);
System.out.println(element.lower);
System.out.println(element.upper);
System.out.println(element.delimiter);
System.out.println(element.scope.get(0));
}
}
class AttributeScopeDeserializer implements JsonDeserializer<AttributeScope>
{
@Override
public AttributeScope deserialize(JsonElement json, Type typeOfT, JsonDeserializationContext context)
throws JsonParseException
{
AttributeScope[] scopes = AttributeScope.values();
for (AttributeScope scope : scopes)
{
if (scope.scope.equals(json.getAsString()))
return scope;
}
return null;
}
}
class TruncateElement
{
int lower;
int upper;
String delimiter;
List<AttributeScope> scope;
}
enum AttributeScope
{
TITLE("${title}"), DESCRIPTION("${description}");
String scope;
AttributeScope(String scope)
{
this.scope = scope;
}
}
주석 사용@SerializedName:
@SerializedName("${title}")
TITLE,
@SerializedName("${description}")
DESCRIPTION
다음 스니펫은 명시적일 필요가 없습니다.Gson.registerTypeAdapter(...), 를 사용합니다.@JsonAdapter(class)주석, Gson 2.3 이후 사용 가능(주석 pm_labs 참조).
@JsonAdapter(Level.Serializer.class)
public enum Level {
WTF(0),
ERROR(1),
WARNING(2),
INFO(3),
DEBUG(4),
VERBOSE(5);
int levelCode;
Level(int levelCode) {
this.levelCode = levelCode;
}
static Level getLevelByCode(int levelCode) {
for (Level level : values())
if (level.levelCode == levelCode) return level;
return INFO;
}
static class Serializer implements JsonSerializer<Level>, JsonDeserializer<Level> {
@Override
public JsonElement serialize(Level src, Type typeOfSrc, JsonSerializationContext context) {
return context.serialize(src.levelCode);
}
@Override
public Level deserialize(JsonElement json, Type typeOfT, JsonDeserializationContext context) {
try {
return getLevelByCode(json.getAsNumber().intValue());
} catch (JsonParseException e) {
return INFO;
}
}
}
}
GSON 버전 2.2.2에서는 enum을 쉽게 마샬링 및 마샬링 해제할 수 있습니다.
import com.google.gson.annotations.SerializedName;
enum AttributeScope
{
@SerializedName("${title}")
TITLE("${title}"),
@SerializedName("${description}")
DESCRIPTION("${description}");
private String scope;
AttributeScope(String scope)
{
this.scope = scope;
}
public String getScope() {
return scope;
}
}
Enum의 서수 값을 사용하려면 유형 어댑터 팩토리를 등록하여 Gson의 기본 팩토리를 재정의할 수 있습니다.
public class EnumTypeAdapter <T extends Enum<T>> extends TypeAdapter<T> {
private final Map<Integer, T> nameToConstant = new HashMap<>();
private final Map<T, Integer> constantToName = new HashMap<>();
public EnumTypeAdapter(Class<T> classOfT) {
for (T constant : classOfT.getEnumConstants()) {
Integer name = constant.ordinal();
nameToConstant.put(name, constant);
constantToName.put(constant, name);
}
}
@Override public T read(JsonReader in) throws IOException {
if (in.peek() == JsonToken.NULL) {
in.nextNull();
return null;
}
return nameToConstant.get(in.nextInt());
}
@Override public void write(JsonWriter out, T value) throws IOException {
out.value(value == null ? null : constantToName.get(value));
}
public static final TypeAdapterFactory ENUM_FACTORY = new TypeAdapterFactory() {
@SuppressWarnings({"rawtypes", "unchecked"})
@Override public <T> TypeAdapter<T> create(Gson gson, TypeToken<T> typeToken) {
Class<? super T> rawType = typeToken.getRawType();
if (!Enum.class.isAssignableFrom(rawType) || rawType == Enum.class) {
return null;
}
if (!rawType.isEnum()) {
rawType = rawType.getSuperclass(); // handle anonymous subclasses
}
return (TypeAdapter<T>) new EnumTypeAdapter(rawType);
}
};
}
그럼 공장 등록만 하면 돼
Gson gson = new GsonBuilder()
.registerTypeAdapterFactory(EnumTypeAdapter.ENUM_FACTORY)
.create();
이 방법을 사용하다
GsonBuilder.enableComplexMapKeySerialization();
언급URL : https://stackoverflow.com/questions/8211304/using-enums-while-parsing-json-with-gson
'programing' 카테고리의 다른 글
| 어레이를 청크로 분할하다 (0) | 2022.09.06 |
|---|---|
| Python non local 문 (0) | 2022.09.06 |
| mysql에서 문자열을 플로트로 변환하려면 어떻게 해야 하나요? (0) | 2022.09.06 |
| Python에서 최소 플러그인 아키텍처 구축 (0) | 2022.09.06 |
| 스프링에서의 오브젝트매퍼 설정 (0) | 2022.09.06 |