FastJson對於JSON格式字串、JSON物件之間的相互轉換
阿新 • • 發佈:2018-12-12
fastJson對於json格式字串的解析主要用到了一下三個類:
JSON:fastJson的解析器,用於JSON格式字串與JSON物件及javaBean之間的轉換。
JSONObject:fastJson提供的json物件。
JSONArray:fastJson提供json陣列物件。
我們可以把JSONObject當成一個Map<String,Object>來看,只是JSONObject提供了更為豐富便捷的方法,方便我們對於物件屬性的操作。我們看一下原始碼。
同樣我們可以把JSONArray當做一個List<Object>,可以把JSONArray看成JSONObject物件的一個集合。
此外,由於JSONObject和JSONArray繼承了JSON,所以說也可以直接使用兩者對JSON格式字串與JSON物件及javaBean之間做轉換,不過為了避免混淆我們還是使用JSON。
首先定義三個json格式的字串,作為我們的資料來源。
//json字串-簡單物件型 private static final String JSON_OBJ_STR = "{\"studentName\":\"lily\",\"studentAge\":12}"; //json字串-陣列型別 private static final String JSON_ARRAY_STR = "[{\"studentName\":\"lily\",\"studentAge\":12},{\"studentName\":\"lucy\",\"studentAge\":15}]"; //複雜格式json字串 private static final String COMPLEX_JSON_STR = "{\"teacherName\":\"crystall\",\"teacherAge\":27,\"course\":{\"courseName\":\"english\",\"code\":1270},\"students\":[{\"studentName\":\"lily\",\"studentAge\":12},{\"studentName\":\"lucy\",\"studentAge\":15}]}";
示例1:JSON格式字串與JSON物件之間的轉換。
示例1.1-json字串-簡單物件型與JSONObject之間的轉換
/** * json字串-簡單物件型與JSONObject之間的轉換 */ public static void testJSONStrToJSONObject(){ JSONObject jsonObject = JSON.parseObject(JSON_OBJ_STR); //JSONObject jsonObject1 = JSONObject.parseObject(JSON_OBJ_STR); //因為JSONObject繼承了JSON,所以這樣也是可以的 System.out.println(jsonObject.getString("studentName")+":"+jsonObject.getInteger("studentAge")); }
示例1.2-json字串-陣列型別與JSONArray之間的轉換
/** * json字串-陣列型別與JSONArray之間的轉換 */ public static void testJSONStrToJSONArray(){ JSONArray jsonArray = JSON.parseArray(JSON_ARRAY_STR); //JSONArray jsonArray1 = JSONArray.parseArray(JSON_ARRAY_STR);//因為JSONArray繼承了JSON,所以這樣也是可以的 //遍歷方式1 int size = jsonArray.size(); for (int i = 0; i < size; i++){ JSONObject jsonObject = jsonArray.getJSONObject(i); System.out.println(jsonObject.getString("studentName")+":"+jsonObject.getInteger("studentAge")); } //遍歷方式2 for (Object obj : jsonArray) { JSONObject jsonObject = (JSONObject) obj; System.out.println(jsonObject.getString("studentName")+":"+jsonObject.getInteger("studentAge")); } }
示例1.3-複雜json格式字串與JSONObject之間的轉換
/** * 複雜json格式字串與JSONObject之間的轉換 */ public static void testComplexJSONStrToJSONObject(){ JSONObject jsonObject = JSON.parseObject(COMPLEX_JSON_STR); //JSONObject jsonObject1 = JSONObject.parseObject(COMPLEX_JSON_STR);//因為JSONObject繼承了JSON,所以這樣也是可以的 String teacherName = jsonObject.getString("teacherName"); Integer teacherAge = jsonObject.getInteger("teacherAge"); JSONObject course = jsonObject.getJSONObject("course"); JSONArray students = jsonObject.getJSONArray("students"); }
對於JSON物件與JSON格式字串的轉換可以直接用 toJSONString()這個方法。