AndroidでHTTPClientを使用してJSONでPOSTリクエストを送信する方法


111

HTTPClientを使用してAndroidからJSONをPOSTする方法を理解しようとしています。私はこれをしばらくの間理解しようと努めてきましたが、オンラインで多くの例を見つけましたが、どれも動作させることができません。これは、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();
    }
 }

たぶん、あなたが働けない例の1つを投稿できますか?何かを機能させることによって、それらがどのように組み合わされるかを学ぶでしょう。
fredw

回答:


157

この回答では、Justin Grammensが投稿したを使用しています。

JSONについて

JSONはJavaScript Object Notationの略です。JavaScriptでは、このように、object1.nameまたこの ようにプロパティを参照できますobject['name'];。記事の例では、このJSONを使用しています。


メールをキー、foo @ bar.comを値とするパーツ Aのファンオブジェクト

{
  fan:
    {
      email : 'foo@bar.com'
    }
}

したがって、同等のオブジェクトはfan.email;またはになりfan['email'];ます。どちらも同じ値になり'foo@bar.com'ます。

HttpClientリクエストについて

以下は、作成者がHttpClientリクエストを作成するために使用したものです。私はこれで専門家であると主張していませんので、誰かがいくつかの用語をより良い言葉で言うことができれば自由に感じてください。

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 Mapのリファレンスをご覧ください。つまり、マップは辞書やハッシュに似ています。

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 'foo@bar.com' 
    //{ fan: { email : 'foo@bar.com' } }

    //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 'foo@bar.com'  together in map
        holder.put(key, data);
    }
    return holder;
}

この投稿に関して発生した質問や、私が明確にしていないこと、またはまだ混乱していることに触れたことがない場合は、遠慮なくコメントしてください。

(Justin Grammensが承認しない場合は削除します。承認しない場合は、Justinがクールであることに感謝します。)

更新

私はたまたまコードの使い方についてコメントをもらい、戻り値の型に誤りがあることに気づきました。メソッドシグネチャは文字列を返すように設定されていましたが、この場合は何も返しませんでした。署名をHttpResponseに変更しました。HttpResponseのレスポンスボディの取得に関するこのリンクを参照します。 パス変数はURLであり、コードの誤りを修正するために更新しました。


@Terranceに感謝します。したがって、彼は別のクラスで、後でJSONObjectsに変換されるさまざまなキーと値を持つマップを作成しています。同様の実装を試みましたが、マップの経験もありません。実装しようとしたコードを元の投稿に追加します。それ以来何が起こっているのかについてのあなたの説明、そして私は、ハードコードされた名前と値でJSONObjectsを作成することによってそれを機能させることに成功しました。ありがとう!

おっと、嬉しいです。
Terrance、

ジャスティンは彼が承認すると言います。彼は来て、自分でコメントを残すのに十分な担当者がいるはずです。
Abizern

このコードを使いたい。これについてどうすればよいですか?私のJava側でデータを取得できるように、パス変数と何を返す必要があるかを指定してください。
Prateek

3
理由はありませんgetJsonObjectFromMap():JSONObjectは取るコンストラクタを持っているMapdeveloper.android.com/reference/org/json/...
pr1001

41

@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を試すことをお勧めします


私のアプリはHttpPutメソッドを介してデータを送信しています。サーバーがリクエストを受け取ったとき、jsonデータとして応答します。jsonからデータを取得する方法がわかりません。教えてください。コード
kongkea 2013

@kongkea GSONライブラリをご覧ください。JSONファイルをJavaオブジェクトに解析できます。
JJD 2013

@JJDこれまでのところ、リモートサーバーにデータを送信することをお勧めしますが、そのすばらしい説明はありますが、HTTPプロトコルを使用してJSONオブジェクトを解析する方法を知りたいです。JSON解析を使用して回答を詳しく説明することもできます。これは、これに新しいすべての人にとって非常に役立ちます。
AndroidDev 2014

@AndroidDev この質問はクライアントからサーバーへのデータの送信に関するものなので、新しい質問を開いてください。ここにリンクを自由にドロップしてください。
JJD 2014

@JJDあなたは抽象メソッドexecute()を呼び出しており、それはもちろん失敗します
Konstantin Konopko '10

33

HttpURLConnection代わりにこれを使用することをお勧めしますHttpGetHttpGetすでに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();
} 

5

このタスクのコードが多すぎる場合は、このライブラリをチェックアウトしてください。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();

素晴らしいソリューションですが、残念ながらこのプラグインにはGradleサポートがありません:/
electronix384128

3

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;
}
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.