轉 https://blog.csdn.net/moneyshi/article/details/51830329java
Java對象轉換Json的細節處理
前言
Java對象在轉json的時候,若是對象裏面有屬性值爲null的話,那麼在json序列化的時候要不要序列出來呢?對比如下json轉換方式
1、fastJson
一、fastJson在轉換java對象爲json的時候,默認是不序列化null值對應的key的
也就是說當對象裏面的屬性爲空的時候,在轉換成json時,不序列化那些爲null值的屬性
具體案例以下:
AutoPartsSearchRequest 有如下屬性:
-
public static void main(String[] args) {
-
AutoPartsSearchRequest request =
new AutoPartsSearchRequest();
-
request.setKeywords(
"123");
-
request.setSortingField(
"234242");
-
String str = JSONObject.toJSONString(request);
-
-
輸出結果:{"keywords":"123","sortingField":"234242"} , 沒有序列化那些值爲null的屬性
二、可是若是想把null對應的key序列化出來呢?
那就要仔細看看fastjson轉換java對象爲json的時候的入參了:也就是這個方法:
JSONObject.toJSONString(Object object, SerializerFeature... features)
Fastjson的SerializerFeature序列化屬性:
-
QuoteFieldNames———-輸出key時是否使用雙引號,默認爲
true
-
WriteMapNullValue——–是否輸出值爲
null的字段,默認爲false
-
WriteNullNumberAsZero—-數值字段若是爲
null,輸出爲0,而非null
-
WriteNullListAsEmpty—–List字段若是爲
null,輸出爲[],而非null
-
WriteNullStringAsEmpty—字符類型字段若是爲
null,輸出爲」「,而非null
-
WriteNullBooleanAsFalse–
Boolean字段若是爲null,輸出爲false,而非null
結合上面,SerializerFeature... features是個數組,那麼咱們能夠傳入咱們想要的參數,好比想序列化null,案例以下:
-
public static void main(String[] args) {
-
AutoPartsSearchRequest request =
new AutoPartsSearchRequest();
-
request.setKeywords(
"123");
-
request.setSortingField(
"234242");
-
String str = JSONObject.toJSONString(request, SerializerFeature.WriteMapNullValue);
-
-
輸出結果以下:
三、想字符類型字段若是爲null,轉換輸出爲」「,而非null ,須要多加一個參數:WriteNullStringAsEmpty, 案例以下:
-
public static void main(String[] args) {
-
AutoPartsSearchRequest request =
new AutoPartsSearchRequest();
-
request.setKeywords(
"123");
-
request.setSortingField(
"234242");
-
String str = JSONObject.toJSONString(request, SerializerFeature.WriteMapNullValue,
-
SerializerFeature.WriteNullStringAsEmpty);
-
-
輸出結果以下:
2、Jackson
一、jackson默認是序列化null對應的key的,也就是說無論你對象屬性有沒有值,在轉換json的時候都會被序列化出來
-
public static void main(String[] args) throws JsonGenerationException, JsonMappingException, IOException {
-
AutoPartsSearchRequest request =
new AutoPartsSearchRequest();
-
request.setKeywords(
"123");
-
request.setSortingField(
"234242");
-
ObjectMapper mapper =
new ObjectMapper();
-
String str = mapper.writeValueAsString(request);
-
-
-
二、同理,想要不序列化null也是能夠的,具體以下:
-
-
-
@JsonInclude(Include.NON_NULL)
-
-
-
-
-
-
-
-
-
-
-
ObjectMapper mapper =
new ObjectMapper();
-
-
mapper.setSerializationInclusion(Include.NON_NULL);
-
-
-
-
-
-
注意:只對VO起做用,Map List不起做用,另外jackson還能過濾掉你設置的屬性,具體的就各位本身去研究源碼了json
3、Gson
一、gson和fastjson同樣,默認是不序列化null值對應的key的,具體案例以下:
-
public static void main(String[] args) throws JsonGenerationException, JsonMappingException, IOException {
-
AutoPartsSearchRequest request =
new AutoPartsSearchRequest();
-
request.setKeywords(
"123");
-
request.setSortingField(
"234242");
-
Gson g =
new GsonBuilder().create();
-
String str = g.toJson(request);
-
-
-
二、如果想序列化null值對應的key,只須要將以上建立代碼改爲如下代碼就行:
Gson g = new GsonBuilder().serializeNulls().create();
案例就不寫了
三、如果想轉行null爲空字符串"",則須要手動處理了