HTTPClientを使用してPOSTからAndroid JSONにする方法を見つけようとしています。私はしばらくの間これを理解しようとしていました、私はたくさんの例をオンラインで見つけましたが、私はそれらのどれも動作させることができません。これは、JSON /ネットワークの一般的な知識が不足しているためだと思います。私はそこにたくさんの例があることを知っていますが、誰かが実際のチュートリアルを教えてくれますか?コードと、各ステップを実行する理由、またはそのステップが何をするかの説明を含むステップごとのプロセスを探しています。複雑で単純な意志で十分である必要はありません。
繰り返しますが、私はそこにたくさんの例があることを知っています、私は本当に何が起こっているのか、なぜそれがそのようになっているのかを説明する例を本当に探しています。
誰かがこれに関するAndroidの良い本を知っているなら、私に知らせてください。
ヘルプ@terranceに再び感謝します。以下に説明するコードを示します。
public void shNameVerParams() throws Exception{
String path = //removed
HashMap params = new HashMap();
params.put(new String("Name"), "Value");
params.put(new String("Name"), "Value");
try {
HttpClient.SendHttpPost(path, params);
} catch (Exception e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
この回答では、 Justin Grammensが投稿した例 を使用しています。
JSONはJavaScript Object Notationの略です。 JavaScriptでは、このobject1.name
とこのようなobject['name'];
の両方のプロパティを参照できます。この記事の例では、このJSONを使用しています。
部品
キーとして電子メール、値として[email protected]を持つファンオブジェクト
{
fan:
{
email : '[email protected]'
}
}
したがって、同等のオブジェクトはfan.email;
またはfan['email'];
になります。両方とも'[email protected]'
の同じ値を持ちます。
以下は、著者が HttpClient Request を作成するために使用したものです。私はこれについてまったく専門家であるとは主張していないので、誰かがWordへのより良い方法を持っているなら、用語のいくつかは自由に感じます。
public static HttpResponse makeRequest(String path, Map params) throws Exception
{
//instantiates httpclient to make request
DefaultHttpClient httpclient = new DefaultHttpClient();
//url with the post data
HttpPost httpost = new HttpPost(path);
//convert parameters into JSON object
JSONObject holder = getJsonObjectFromMap(params);
//passes the results to a string builder/entity
StringEntity se = new StringEntity(holder.toString());
//sets the post request as the resulting string
httpost.setEntity(se);
//sets a request header so the page receving the request
//will know what to do with it
httpost.setHeader("Accept", "application/json");
httpost.setHeader("Content-type", "application/json");
//Handles what is returned from the page
ResponseHandler responseHandler = new BasicResponseHandler();
return httpclient.execute(httpost, responseHandler);
}
Map
データ構造に詳しくない場合は、 Javaマップリファレンス をご覧ください。要するに、マップは辞書やハッシュに似ています。
private static JSONObject getJsonObjectFromMap(Map params) throws JSONException {
//all the passed parameters from the post request
//iterator used to loop through all the parameters
//passed in the post request
Iterator iter = params.entrySet().iterator();
//Stores JSON
JSONObject holder = new JSONObject();
//using the earlier example your first entry would get email
//and the inner while would get the value which would be '[email protected]'
//{ fan: { email : '[email protected]' } }
//While there is another entry
while (iter.hasNext())
{
//gets an entry in the params
Map.Entry pairs = (Map.Entry)iter.next();
//creates a key for Map
String key = (String)pairs.getKey();
//Create a new map
Map m = (Map)pairs.getValue();
//object for storing Json
JSONObject data = new JSONObject();
//gets the value
Iterator iter2 = m.entrySet().iterator();
while (iter2.hasNext())
{
Map.Entry pairs2 = (Map.Entry)iter2.next();
data.put((String)pairs2.getKey(), (String)pairs2.getValue());
}
//puts email and '[email protected]' together in map
holder.put(key, data);
}
return holder;
}
この投稿に関して発生した質問、または何か明確にしたことがない場合、またはあなたがまだ混乱しているものに触れていない場合など、ご自由にコメントしてください。
(Justin Grammensが承認しない場合は削除します。そうでない場合は、Justinに感謝します。)
私はたまたまコードの使用方法についてコメントをもらい、戻り値の型に間違いがあることに気付きました。メソッドシグネチャは文字列を返すように設定されましたが、この場合は何も返しませんでした。署名をHttpResponseに変更し、このリンクを参照します HttpResponseの応答本文を取得する パス変数はURLであり、コードの誤りを修正するために更新しました。
@Terranceの答えに対する代替ソリューションを以下に示します。変換を簡単に外部委託できます。 Gsonライブラリ は、さまざまなデータ構造をJSONに変換したり、その逆を行ったりするすばらしい作業を行います。
public static void execute() {
Map<String, String> comment = new HashMap<String, String>();
comment.put("subject", "Using the GSON library");
comment.put("message", "Using libraries is convenient.");
String json = new GsonBuilder().create().toJson(comment, Map.class);
makeRequest("http://192.168.0.1:3000/post/77/comments", json);
}
public static HttpResponse makeRequest(String uri, String json) {
try {
HttpPost httpPost = new HttpPost(uri);
httpPost.setEntity(new StringEntity(json));
httpPost.setHeader("Accept", "application/json");
httpPost.setHeader("Content-type", "application/json");
return new DefaultHttpClient().execute(httpPost);
} catch (UnsupportedEncodingException e) {
e.printStackTrace();
} catch (ClientProtocolException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}
return null;
}
Gsonの代わりに Jackson を使用して同様のことができます。 Retrofit をご覧になることもお勧めします。これにより、この定型コードの多くが隠されます。より経験豊富な開発者には、 RxAndroid を試すことをお勧めします。
これを使用することをお勧めします HttpURLConnection
代わりにHttpGet
。 HttpGet
はAndroid APIレベル22で既に廃止されているため.
HttpURLConnection httpcon;
String url = null;
String data = null;
String result = null;
try {
//Connect
httpcon = (HttpURLConnection) ((new URL (url).openConnection()));
httpcon.setDoOutput(true);
httpcon.setRequestProperty("Content-Type", "application/json");
httpcon.setRequestProperty("Accept", "application/json");
httpcon.setRequestMethod("POST");
httpcon.connect();
//Write
OutputStream os = httpcon.getOutputStream();
BufferedWriter writer = new BufferedWriter(new OutputStreamWriter(os, "UTF-8"));
writer.write(data);
writer.close();
os.close();
//Read
BufferedReader br = new BufferedReader(new InputStreamReader(httpcon.getInputStream(),"UTF-8"));
String line = null;
StringBuilder sb = new StringBuilder();
while ((line = br.readLine()) != null) {
sb.append(line);
}
br.close();
result = sb.toString();
} catch (UnsupportedEncodingException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}
このタスクのコードが多すぎるため、このライブラリをチェックアウトしてください https://github.com/kodart/Httpzoid はGSONを内部で使用し、オブジェクトで動作するAPIを提供します。 JSONの詳細はすべて非表示です。
Http http = HttpFactory.create(context);
http.get("http://example.com/users")
.handler(new ResponseHandler<User[]>() {
@Override
public void success(User[] users, HttpResponse response) {
}
}).execute();
HHTP接続を確立し、RESTFULL Webサービスからデータを取得するには、いくつかの方法があります。最新のものはGSONです。ただし、GSONに進む前に、HTTPクライアントを作成し、リモートサーバーとのデータ通信を実行する最も伝統的な方法についてある程度の知識が必要です。 HTTPClientを使用してPOSTとGETリクエストを送信する両方の方法について説明しました。
/**
* This method is used to process GET requests to the server.
*
* @param url
* @return String
* @throws IOException
*/
public static String connect(String url) throws IOException {
HttpGet httpget = new HttpGet(url);
HttpResponse response;
HttpParams httpParameters = new BasicHttpParams();
// Set the timeout in milliseconds until a connection is established.
// The default value is zero, that means the timeout is not used.
int timeoutConnection = 60*1000;
HttpConnectionParams.setConnectionTimeout(httpParameters, timeoutConnection);
// Set the default socket timeout (SO_TIMEOUT)
// in milliseconds which is the timeout for waiting for data.
int timeoutSocket = 60*1000;
HttpConnectionParams.setSoTimeout(httpParameters, timeoutSocket);
HttpClient httpclient = new DefaultHttpClient(httpParameters);
try {
response = httpclient.execute(httpget);
HttpEntity entity = response.getEntity();
if (entity != null) {
InputStream instream = entity.getContent();
result = convertStreamToString(instream);
//instream.close();
}
}
catch (ClientProtocolException e) {
Utilities.showDLog("connect","ClientProtocolException:-"+e);
} catch (IOException e) {
Utilities.showDLog("connect","IOException:-"+e);
}
return result;
}
/**
* This method is used to send POST requests to the server.
*
* @param URL
* @param paramenter
* @return result of server response
*/
static public String postHTPPRequest(String URL, String paramenter) {
HttpParams httpParameters = new BasicHttpParams();
// Set the timeout in milliseconds until a connection is established.
// The default value is zero, that means the timeout is not used.
int timeoutConnection = 60*1000;
HttpConnectionParams.setConnectionTimeout(httpParameters, timeoutConnection);
// Set the default socket timeout (SO_TIMEOUT)
// in milliseconds which is the timeout for waiting for data.
int timeoutSocket = 60*1000;
HttpConnectionParams.setSoTimeout(httpParameters, timeoutSocket);
HttpClient httpclient = new DefaultHttpClient(httpParameters);
HttpPost httppost = new HttpPost(URL);
httppost.setHeader("Content-Type", "application/json");
try {
if (paramenter != null) {
StringEntity tmp = null;
tmp = new StringEntity(paramenter, "UTF-8");
httppost.setEntity(tmp);
}
HttpResponse httpResponse = null;
httpResponse = httpclient.execute(httppost);
HttpEntity entity = httpResponse.getEntity();
if (entity != null) {
InputStream input = null;
input = entity.getContent();
String res = convertStreamToString(input);
return res;
}
}
catch (Exception e) {
System.out.print(e.toString());
}
return null;
}