Android
org.json을 사용하는 Android의 JSON
수색…
통사론
개체 : 개체는 이름 / 값 쌍의 정렬되지 않은 집합입니다. 객체는 {(왼쪽 중괄호)로 시작하고} (오른쪽 중괄호)로 끝납니다. 각 이름 다음에 : (콜론)이 붙고 이름 / 값 쌍은 (쉼표)로 구분됩니다.
배열 : 배열은 값의 정렬 된 컬렉션입니다. 배열은 [(왼쪽 대괄호)로 시작하고]로 끝납니다 (오른쪽 대괄호). 값은, (쉼표)로 구분됩니다.
값 : 값은 큰 따옴표로 묶은 문자열이거나 숫자 또는 참 또는 거짓 또는 널 또는 객체 또는 배열 일 수 있습니다. 이러한 구조는 중첩 될 수 있습니다.
문자열 : 문자열은 백 슬래시 이스케이프를 사용하여 큰 따옴표로 묶인 0 개 이상의 유니 코드 문자 시퀀스입니다. 문자는 단일 문자 스트링으로 표현됩니다. 문자열은 C 또는 Java 문자열과 매우 비슷합니다.
숫자 : 숫자는 C 나 Java 숫자와 매우 비슷합니다. 단, 8 진수 및 16 진수 형식은 사용되지 않습니다.
비고
이 주제는 Android SDK에 포함 된 org.json
패키지 사용에 관한 내용입니다.
간단한 JSON 객체를 파싱합니다.
다음 JSON 문자열을 고려하십시오.
{
"title": "test",
"content": "Hello World!!!",
"year": 2016,
"names" : [
"Hannah",
"David",
"Steve"
]
}
이 JSON 객체는 다음 코드를 사용하여 파싱 할 수 있습니다.
try {
// create a new instance from a string
JSONObject jsonObject = new JSONObject(jsonAsString);
String title = jsonObject.getString("title");
String content = jsonObject.getString("content");
int year = jsonObject.getInt("year");
JSONArray names = jsonObject.getJSONArray("names"); //for an array of String objects
} catch (JSONException e) {
Log.w(TAG,"Could not parse JSON. Error: " + e.getMessage());
}
다음은 JSONObject 안에 중첩 된 JSONArray를 사용한 또 다른 예제입니다.
{
"books":[
{
"title":"Android JSON Parsing",
"times_sold":186
}
]
}
다음 코드를 사용하여 구문 분석 할 수 있습니다.
JSONObject root = new JSONObject(booksJson);
JSONArray booksArray = root.getJSONArray("books");
JSONObject firstBook = booksArray.getJSONObject(0);
String title = firstBook.getString("title");
int timesSold = firstBook.getInt("times_sold");
간단한 JSON 객체 만들기
빈 생성자를 사용하여 JSONObject
를 만들고 다른 유형과 함께 사용할 수 있도록 오버로드 된 put()
메서드를 사용하여 필드를 추가합니다.
try {
// Create a new instance of a JSONObject
final JSONObject object = new JSONObject();
// With put you can add a name/value pair to the JSONObject
object.put("name", "test");
object.put("content", "Hello World!!!1");
object.put("year", 2016);
object.put("value", 3.23);
object.put("member", true);
object.put("null_value", JSONObject.NULL);
// Calling toString() on the JSONObject returns the JSON in string format.
final String json = object.toString();
} catch (JSONException e) {
Log.e(TAG, "Failed to create JSONObject", e);
}
결과 JSON
문자열은 다음과 같습니다.
{
"name":"test",
"content":"Hello World!!!1",
"year":2016,
"value":3.23,
"member":true,
"null_value":null
}
JSONArray에 JSONArray 추가
// Create a new instance of a JSONArray
JSONArray array = new JSONArray();
// With put() you can add a value to the array.
array.put("ASDF");
array.put("QWERTY");
// Create a new instance of a JSONObject
JSONObject obj = new JSONObject();
try {
// Add the JSONArray to the JSONObject
obj.put("the_array", array);
} catch (JSONException e) {
e.printStackTrace();
}
String json = obj.toString();
결과 JSON 문자열은 다음과 같습니다.
{
"the_array":[
"ASDF",
"QWERTY"
]
}
null 값을 사용하여 JSON 문자열을 만듭니다.
다음과 같이 값이 null
JSON 문자열을 생성해야하는 경우 :
{
"name":null
}
그런 다음 특수 상수 인 JSONObject.NULL 을 사용해야합니다.
작동 예제 :
jsonObject.put("name", JSONObject.NULL);
json을 파싱 할 때 null-string을 사용하여 작업하기
{
"some_string": null,
"ather_string": "something"
}
우리가이 방법을 사용할 경우 :
JSONObject json = new JSONObject(jsonStr);
String someString = json.optString("some_string");
우리는 다음과 같이 출력 할 것입니다.
someString = "null";
따라서이 해결 방법을 제공해야합니다.
/**
* According to http://stackoverflow.com/questions/18226288/json-jsonobject-optstring-returns-string-null
* we need to provide a workaround to opt string from json that can be null.
* <strong></strong>
*/
public static String optNullableString(JSONObject jsonObject, String key) {
return optNullableString(jsonObject, key, "");
}
/**
* According to http://stackoverflow.com/questions/18226288/json-jsonobject-optstring-returns-string-null
* we need to provide a workaround to opt string from json that can be null.
* <strong></strong>
*/
public static String optNullableString(JSONObject jsonObject, String key, String fallback) {
if (jsonObject.isNull(key)) {
return fallback;
} else {
return jsonObject.optString(key, fallback);
}
}
그런 다음 전화 :
JSONObject json = new JSONObject(jsonStr);
String someString = optNullableString(json, "some_string");
String someString2 = optNullableString(json, "some_string", "");
그리고 우리는 기대했던대로 결과물을 얻을 것입니다 :
someString = null; //not "null"
someString2 = "";
JsonReader를 사용하여 스트림에서 JSON 읽기
JsonReader
는 JSON으로 인코딩 된 값을 토큰 스트림으로 읽습니다.
public List<Message> readJsonStream(InputStream in) throws IOException {
JsonReader reader = new JsonReader(new InputStreamReader(in, "UTF-8"));
try {
return readMessagesArray(reader);
} finally {
reader.close();
}
}
public List<Message> readMessagesArray(JsonReader reader) throws IOException {
List<Message> messages = new ArrayList<Message>();
reader.beginArray();
while (reader.hasNext()) {
messages.add(readMessage(reader));
}
reader.endArray();
return messages;
}
public Message readMessage(JsonReader reader) throws IOException {
long id = -1;
String text = null;
User user = null;
List<Double> geo = null;
reader.beginObject();
while (reader.hasNext()) {
String name = reader.nextName();
if (name.equals("id")) {
id = reader.nextLong();
} else if (name.equals("text")) {
text = reader.nextString();
} else if (name.equals("geo") && reader.peek() != JsonToken.NULL) {
geo = readDoublesArray(reader);
} else if (name.equals("user")) {
user = readUser(reader);
} else {
reader.skipValue();
}
}
reader.endObject();
return new Message(id, text, user, geo);
}
public List<Double> readDoublesArray(JsonReader reader) throws IOException {
List<Double> doubles = new ArrayList<Double>();
reader.beginArray();
while (reader.hasNext()) {
doubles.add(reader.nextDouble());
}
reader.endArray();
return doubles;
}
public User readUser(JsonReader reader) throws IOException {
String username = null;
int followersCount = -1;
reader.beginObject();
while (reader.hasNext()) {
String name = reader.nextName();
if (name.equals("name")) {
username = reader.nextString();
} else if (name.equals("followers_count")) {
followersCount = reader.nextInt();
} else {
reader.skipValue();
}
}
reader.endObject();
return new User(username, followersCount);
}
중첩 된 JSON 객체 만들기
중첩 된 JSON 객체를 생성하려면 하나의 JSON 객체를 다른 객체에 추가하기 만하면됩니다.
JSONObject mainObject = new JSONObject(); // Host object
JSONObject requestObject = new JSONObject(); // Included object
try {
requestObject.put("lastname", lastname);
requestObject.put("phone", phone);
requestObject.put("latitude", lat);
requestObject.put("longitude", lon);
requestObject.put("theme", theme);
requestObject.put("text", message);
mainObject.put("claim", requestObject);
} catch (JSONException e) {
return "JSON Error";
}
이제 mainObject
이라는 키가 포함되어 claim
전체에 requestObject
값으로한다.
JSON 응답을위한 동적 키 처리
이것은 응답의 동적 키를 처리하는 방법의 예입니다. 여기서 A
와 B
는 동적 키입니다.
응답
{
"response": [
{
"A": [
{
"name": "Tango"
},
{
"name": "Ping"
}
],
"B": [
{
"name": "Jon"
},
{
"name": "Mark"
}
]
}
]
}
Java 코드
// ResponseData is raw string of response
JSONObject responseDataObj = new JSONObject(responseData);
JSONArray responseArray = responseDataObj.getJSONArray("response");
for (int i = 0; i < responseArray.length(); i++) {
// Nodes ArrayList<ArrayList<String>> declared globally
nodes = new ArrayList<ArrayList<String>>();
JSONObject obj = responseArray.getJSONObject(i);
Iterator keys = obj.keys();
while(keys.hasNext()) {
// Loop to get the dynamic key
String currentDynamicKey = (String)keys.next();
// Get the value of the dynamic key
JSONArray currentDynamicValue = obj.getJSONArray(currentDynamicKey);
int jsonArraySize = currentDynamicValue.length();
if(jsonArraySize > 0) {
for (int ii = 0; ii < jsonArraySize; ii++) {
// NameList ArrayList<String> declared globally
nameList = new ArrayList<String>();
if(ii == 0) {
JSONObject nameObj = currentDynamicValue.getJSONObject(ii);
String name = nameObj.getString("name");
System.out.print("Name = " + name);
// Store name in an array list
nameList.add(name);
}
}
}
nodes.add(nameList);
}
}
JSON에 필드가 있는지 확인하십시오.
때로는 코드에서 JSONException
을 피하기 위해 JSON에 필드가 있는지 여부를 확인하는 것이 유용합니다.
이를 달성하려면 JSONObject#has(String)
또는 메서드를 사용하십시오 (다음 예와 같이).
샘플 JSON
{
"name":"James"
}
Java 코드
String jsonStr = " { \"name\":\"James\" }";
JSONObject json = new JSONObject(jsonStr);
// Check if the field "name" is present
String name, surname;
// This will be true, since the field "name" is present on our JSON.
if (json.has("name")) {
name = json.getString("name");
}
else {
name = "John";
}
// This will be false, since our JSON doesn't have the field "surname".
if (json.has("surname")) {
surname = json.getString("surname");
}
else {
surname = "Doe";
}
// Here name == "James" and surname == "Doe".
JSON에서 요소 업데이트하기
샘플 json을 업데이트하십시오.
{
"student":{"name":"Rahul", "lastname":"sharma"},
"marks":{"maths":"88"}
}
json에서 요소 값을 업데이트하려면 값을 지정하고 업데이트해야합니다.
try {
// Create a new instance of a JSONObject
final JSONObject object = new JSONObject(jsonString);
JSONObject studentJSON = object.getJSONObject("student");
studentJSON.put("name","Kumar");
object.remove("student");
object.put("student",studentJSON);
// Calling toString() on the JSONObject returns the JSON in string format.
final String json = object.toString();
} catch (JSONException e) {
Log.e(TAG, "Failed to create JSONObject", e);
}
업데이트 된 가치
{
"student":{"name":"Kumar", "lastname":"sharma"},
"marks":{"maths":"88"}
}