我正在尝试使用Gson(Java)反序列化某些数据,而我从中提取数据的API有时在字段中具有错误类型的数据。即如果我期望String
类型的数组,则可能会遇到Boolean
。
现在我意识到这些是我当前的选择:
TypeAdapter
以进行反序列化并捕获错误并执行某些操作(例如将字段设置为null
)但是我问是否还有另一种方法可以轻松实现,所以如果解析某个字段存在异常,那么Gson只会忽略该字段。是类似@Skippable
的字段上的注释,还是使用GsonBuilder
创建Gson
对象时的设置?
有人熟悉这种东西吗?
要正确处理JSON
中所有可能的错误以及有效负载和POJO
模型之间的不匹配,这不是一件容易的事。但是我们可以尝试使用com.google.gson.TypeAdapterFactory
接口并将所有默认TypeAdapter
都包装在try-catch
中,并跳过无效数据。解决方案示例如下所示:
import com.google.gson.Gson;
import com.google.gson.GsonBuilder;
import com.google.gson.TypeAdapter;
import com.google.gson.TypeAdapterFactory;
import com.google.gson.reflect.TypeToken;
import com.google.gson.stream.JsonReader;
import com.google.gson.stream.JsonWriter;
import java.io.File;
import java.io.FileReader;
import java.io.IOException;
public class GsonApp {
public static void main(String[] args) throws Exception {
File jsonFile = new File("./resource/test.json").getAbsoluteFile();
Gson gson = new GsonBuilder()
.setLenient()
.registerTypeAdapterFactory(new IgnoreFailureTypeAdapterFactory())
.create();
Entity entries = gson.fromJson(new FileReader(jsonFile), Entity.class);
System.out.println(entries);
}
}
class IgnoreFailureTypeAdapterFactory implements TypeAdapterFactory {
public final <T> TypeAdapter<T> create(Gson gson, TypeToken<T> type) {
final TypeAdapter<T> delegate = gson.getDelegateAdapter(this, type);
return createCustomTypeAdapter(delegate);
}
private <T> TypeAdapter<T> createCustomTypeAdapter(TypeAdapter<T> delegate) {
return new TypeAdapter<T>() {
@Override
public void write(JsonWriter out, T value) throws IOException {
delegate.write(out, value);
}
@Override
public T read(JsonReader in) throws IOException {
try {
return delegate.read(in);
} catch (Exception e) {
in.skipValue();
return null;
}
}
};
}
}
class Entity {
private Integer id;
private String name;
// getters, setters, toString
}
例如,上面的代码打印:
Entity{id=null, name='1'}
对于JSON
以下有效载荷:
{
"id": [
{
"a": "A"
}
],
"name": 1
}
另请参见: