在Gson中,可以通過實現JsonSerializer
接口來自定義序列化過程。下面是一個簡單的示例,演示了如何為Date
類型創建自定義序列化器:
JsonSerializer
類:import com.google.gson.JsonElement;
import com.google.gson.JsonPrimitive;
import com.google.gson.JsonSerializationContext;
import com.google.gson.JsonSerializer;
import java.lang.reflect.Type;
import java.text.SimpleDateFormat;
import java.util.Date;
public class DateSerializer implements JsonSerializer<Date> {
private static final SimpleDateFormat dateFormat = new SimpleDateFormat("yyyy-MM-dd");
@Override
public JsonElement serialize(Date src, Type typeOfSrc, JsonSerializationContext context) {
return new JsonPrimitive(dateFormat.format(src));
}
}
在這個例子中,我們使用了SimpleDateFormat
來將Date
對象格式化為指定的字符串格式(“yyyy-MM-dd”)。
@JsonSerialize
注解:import com.google.gson.annotations.JsonSerialize;
import java.util.Date;
@JsonSerialize(using = DateSerializer.class)
public class MyClass {
private String name;
private Date date;
// 構造函數、getter和setter方法
}
現在,當Gson序列化MyClass
對象時,它將使用我們定義的DateSerializer
來序列化date
字段。
注意:如果你需要為多個類型提供自定義序列化器,可以考慮使用GsonBuilder
類來注冊自定義序列化器:
import com.google.gson.Gson;
import com.google.gson.GsonBuilder;
import com.google.gson.JsonSerializer;
import java.lang.reflect.Type;
import java.util.Date;
public class Main {
public static void main(String[] args) {
Gson gson = new GsonBuilder()
.registerTypeAdapter(Date.class, new DateSerializer())
.create();
MyClass myClass = new MyClass();
myClass.setName("Example");
myClass.setDate(new Date());
String json = gson.toJson(myClass);
System.out.println(json);
}
}
這樣,你可以為任何其他類型提供自定義序列化器,只需使用registerTypeAdapter()
方法即可。