Android-JSON 파서
JSON은 JavaScript Object Notation의 약자로, 독립적 인 데이터 교환 형식이며 XML을위한 최상의 대안입니다. 이 장에서는 JSON 파일을 구문 분석하고 필요한 정보를 추출하는 방법에 대해 설명합니다.
Android는 JSON 데이터를 조작하기 위해 네 가지 클래스를 제공합니다. 이 수업은JSONArray,JSONObject,JSONStringer and JSONTokenizer.
첫 번째 단계는 관심있는 JSON 데이터의 필드를 식별하는 것입니다. 예를 들면 다음과 같습니다. 아래 주어진 JSON에서 우리는 온도 만 얻는 데 관심이 있습니다.
{
"sys":
{
"country":"GB",
"sunrise":1381107633,
"sunset":1381149604
},
"weather":[
{
"id":711,
"main":"Smoke",
"description":"smoke",
"icon":"50n"
}
],
"main":
{
"temp":304.15,
"pressure":1009,
}
}
JSON-요소
JSON 파일은 많은 구성 요소로 구성됩니다. 다음은 JSON 파일의 구성 요소와 설명을 정의하는 표입니다.
Sr. 아니요 | 구성 요소 및 설명 |
---|---|
1 | Array([) JSON 파일에서 대괄호 ([)는 JSON 배열을 나타냅니다. |
2 | Objects({) JSON 파일에서 중괄호 ({)는 JSON 객체를 나타냅니다. |
삼 | Key JSON 객체에는 문자열 인 키가 포함됩니다. 키 / 값 쌍이 JSON 개체를 구성합니다. |
4 | Value 각 키에는 string, integer 또는 double 등이 될 수있는 값이 있습니다. |
JSON-구문 분석
JSON 객체를 구문 분석하기 위해 JSONObject 클래스의 객체를 만들고 여기에 JSON 데이터가 포함 된 문자열을 지정합니다. 구문은-
String in;
JSONObject reader = new JSONObject(in);
마지막 단계는 JSON을 구문 분석하는 것입니다. JSON 파일은 다른 키 / 값 쌍 등을 가진 다른 개체로 구성되어 있으므로 JSONObject는 JSON 파일의 각 구성 요소를 구문 분석하는 별도의 기능을 가지고 있습니다. 구문은 다음과 같습니다.
JSONObject sys = reader.getJSONObject("sys");
country = sys.getString("country");
JSONObject main = reader.getJSONObject("main");
temperature = main.getString("temp");
방법 getJSONObjectJSON 객체를 반환합니다. 방법getString 지정된 키의 문자열 값을 반환합니다.
이러한 메서드 외에도 JSON 파일을 더 잘 구문 분석하기 위해이 클래스에서 제공하는 다른 메서드가 있습니다. 이러한 방법은 다음과 같습니다.
Sr. 아니요 | 방법 및 설명 |
---|---|
1 | get(String name) 이 메소드는 값을 반환하지만 Object 유형의 형태로 |
2 | getBoolean(String name) 이 메서드는 키로 지정된 부울 값을 반환합니다. |
삼 | getDouble(String name) 이 메서드는 키로 지정된 double 값을 반환합니다. |
4 | getInt(String name) 이 메서드는 키로 지정된 정수 값을 반환합니다. |
5 | getLong(String name) 이 메서드는 키로 지정된 long 값을 반환합니다. |
6 | length() 이 메서드는이 개체의 이름 / 값 매핑 수를 반환합니다. |
7 | names() 이 메서드는이 개체의 문자열 이름을 포함하는 배열을 반환합니다. |
예
이 예제를 실험하기 위해 실제 기기 또는 에뮬레이터에서 실행할 수 있습니다.
단계 | 기술 |
---|---|
1 | Android 스튜디오를 사용하여 Android 애플리케이션을 만듭니다. |
2 | src / MainActivity.java 파일을 수정하여 필요한 코드를 추가합니다. |
삼 | res / layout / activity_main을 수정하여 각 XML 구성 요소를 추가하십시오. |
4 | res / values / string.xml을 수정하여 필요한 문자열 구성 요소를 추가합니다. |
5 | 애플리케이션을 실행하고 실행중인 Android 기기를 선택하고 여기에 애플리케이션을 설치하고 결과를 확인합니다. |
다음은 수정 된 주요 활동 파일의 내용입니다. src/MainActivity.java.
package com.example.tutorialspoint7.myapplication;
import android.os.AsyncTask;
import android.os.Bundle;
import android.support.v7.app.AppCompatActivity;
import android.util.Log;
import android.widget.ListAdapter;
import android.widget.ListView;
import android.widget.SimpleAdapter;
import android.widget.Toast;
import org.json.JSONArray;
import org.json.JSONException;
import org.json.JSONObject;
import java.util.ArrayList;
import java.util.HashMap;
public class MainActivity extends AppCompatActivity {
private String TAG = MainActivity.class.getSimpleName();
private ListView lv;
ArrayList<HashMap<String, String>> contactList;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
contactList = new ArrayList<>();
lv = (ListView) findViewById(R.id.list);
new GetContacts().execute();
}
private class GetContacts extends AsyncTask<Void, Void, Void> {
@Override
protected void onPreExecute() {
super.onPreExecute();
Toast.makeText(MainActivity.this,"Json Data is
downloading",Toast.LENGTH_LONG).show();
}
@Override
protected Void doInBackground(Void... arg0) {
HttpHandler sh = new HttpHandler();
// Making a request to url and getting response
String url = "http://api.androidhive.info/contacts/";
String jsonStr = sh.makeServiceCall(url);
Log.e(TAG, "Response from url: " + jsonStr);
if (jsonStr != null) {
try {
JSONObject jsonObj = new JSONObject(jsonStr);
// Getting JSON Array node
JSONArray contacts = jsonObj.getJSONArray("contacts");
// looping through All Contacts
for (int i = 0; i < contacts.length(); i++) {
JSONObject c = contacts.getJSONObject(i);
String id = c.getString("id");
String name = c.getString("name");
String email = c.getString("email");
String address = c.getString("address");
String gender = c.getString("gender");
// Phone node is JSON Object
JSONObject phone = c.getJSONObject("phone");
String mobile = phone.getString("mobile");
String home = phone.getString("home");
String office = phone.getString("office");
// tmp hash map for single contact
HashMap<String, String> contact = new HashMap<>();
// adding each child node to HashMap key => value
contact.put("id", id);
contact.put("name", name);
contact.put("email", email);
contact.put("mobile", mobile);
// adding contact to contact list
contactList.add(contact);
}
} catch (final JSONException e) {
Log.e(TAG, "Json parsing error: " + e.getMessage());
runOnUiThread(new Runnable() {
@Override
public void run() {
Toast.makeText(getApplicationContext(),
"Json parsing error: " + e.getMessage(),
Toast.LENGTH_LONG).show();
}
});
}
} else {
Log.e(TAG, "Couldn't get json from server.");
runOnUiThread(new Runnable() {
@Override
public void run() {
Toast.makeText(getApplicationContext(),
"Couldn't get json from server. Check LogCat for possible errors!",
Toast.LENGTH_LONG).show();
}
});
}
return null;
}
@Override
protected void onPostExecute(Void result) {
super.onPostExecute(result);
ListAdapter adapter = new SimpleAdapter(MainActivity.this, contactList,
R.layout.list_item, new String[]{ "email","mobile"},
new int[]{R.id.email, R.id.mobile});
lv.setAdapter(adapter);
}
}
}
다음은 xml의 수정 된 내용입니다. HttpHandler.java.
package com.example.tutorialspoint7.myapplication;
import android.util.Log;
import java.io.BufferedInputStream;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.net.HttpURLConnection;
import java.net.MalformedURLException;
import java.net.ProtocolException;
import java.net.URL;
public class HttpHandler {
private static final String TAG = HttpHandler.class.getSimpleName();
public HttpHandler() {
}
public String makeServiceCall(String reqUrl) {
String response = null;
try {
URL url = new URL(reqUrl);
HttpURLConnection conn = (HttpURLConnection) url.openConnection();
conn.setRequestMethod("GET");
// read the response
InputStream in = new BufferedInputStream(conn.getInputStream());
response = convertStreamToString(in);
} catch (MalformedURLException e) {
Log.e(TAG, "MalformedURLException: " + e.getMessage());
} catch (ProtocolException e) {
Log.e(TAG, "ProtocolException: " + e.getMessage());
} catch (IOException e) {
Log.e(TAG, "IOException: " + e.getMessage());
} catch (Exception e) {
Log.e(TAG, "Exception: " + e.getMessage());
}
return response;
}
private String convertStreamToString(InputStream is) {
BufferedReader reader = new BufferedReader(new InputStreamReader(is));
StringBuilder sb = new StringBuilder();
String line;
try {
while ((line = reader.readLine()) != null) {
sb.append(line).append('\n');
}
} catch (IOException e) {
e.printStackTrace();
} finally {
try {
is.close();
} catch (IOException e) {
e.printStackTrace();
}
}
return sb.toString();
}
}
다음은 xml의 수정 된 내용입니다. res/layout/activity_main.xml.
<?xml version="1.0" encoding="utf-8"?>
<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
tools:context="com.example.tutorialspoint7.myapplication.MainActivity">
<ListView
android:id="@+id/list"
android:layout_width="fill_parent"
android:layout_height="wrap_content" />
</RelativeLayout>
다음은 xml의 수정 된 내용입니다. res/layout/list_item.xml.
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:orientation="vertical"
android:padding="@dimen/activity_horizontal_margin">
<TextView
android:id="@+id/email"
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:paddingBottom="2dip"
android:textColor="@color/colorAccent" />
<TextView
android:id="@+id/mobile"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:textColor="#5d5d5d"
android:textStyle="bold" />
</LinearLayout>
다음 내용은 AndroidManifest.xml 파일.
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.example.tutorialspoint7.myapplication">
<uses-permission android:name="android.permission.INTERNET"/>
<application
android:allowBackup="true"
android:icon="@mipmap/ic_launcher"
android:label="@string/app_name"
android:supportsRtl="true"
android:theme="@style/AppTheme">
<activity android:name=".MainActivity">
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
</application>
</manifest>
방금 수정 한 애플리케이션을 실행 해 보겠습니다. 나는 당신이 당신의AVD환경 설정을하는 동안. Android 스튜디오에서 앱을 실행하려면 프로젝트의 활동 파일 중 하나를 열고
위의 예는 문자열 json의 데이터를 보여줍니다. 데이터에는 급여 정보와 고용주 세부 정보가 포함되어 있습니다.