Androidでリクエストを介してJSONオブジェクトを送信する方法


115

次のJSONテキストを送信したい

{"Email":"aaa@tbbb.com","Password":"123456"}

Webサービスに送信し、応答を読み取ります。私はJSONの読み方を知っています。問題は、上記のJSONオブジェクトを変数名で送信する必要があることjasonです。

どうすればアンドロイドからこれを行うことができますか?リクエストオブジェクトの作成、コンテンツヘッダーの設定などの手順は何ですか。

回答:


97

AndroidにはHTTPを送受信するための特別なコードはありません。標準のJavaコードを使用できます。Androidに付属するApache HTTPクライアントを使用することをお勧めします。これは、HTTP POSTを送信するために使用したコードのスニペットです。

「jason」という名前の変数でオブジェクトを送信することが何に関係しているのか理解できません。サーバーが正確に何を望んでいるかわからない場合は、さまざまな文字列をサーバーに送信するテストプログラムを作成して、どの形式にする必要があるかがわかるようにすることを検討してください。

int TIMEOUT_MILLISEC = 10000;  // = 10 seconds
String postMessage="{}"; //HERE_YOUR_POST_STRING.
HttpParams httpParams = new BasicHttpParams();
HttpConnectionParams.setConnectionTimeout(httpParams, TIMEOUT_MILLISEC);
HttpConnectionParams.setSoTimeout(httpParams, TIMEOUT_MILLISEC);
HttpClient client = new DefaultHttpClient(httpParams);

HttpPost request = new HttpPost(serverUrl);
request.setEntity(new ByteArrayEntity(
    postMessage.toString().getBytes("UTF8")));
HttpResponse response = client.execute(request);

21
postMessageはJSONオブジェクトですか?
AndroidDev

postMessage定義されていません
Raptor

タイムアウトは何ですか?
Lion789 14年

複数の文字列を渡すとどうなりますか?like postMessage2.toString()。getBytes( "UTF8")
Mayur R. Amipara

POJOをJson文字列に変換するための提案?
tgkprog 2017年

155

Apache HTTPクライアントを使用すれば、Androidからjsonオブジェクトを送信するのは簡単です。これを行う方法のコードサンプルを次に示します。UIスレッドをロックしないように、ネットワークアクティビティ用の新しいスレッドを作成する必要があります。

    protected void sendJson(final String email, final String pwd) {
        Thread t = new Thread() {

            public void run() {
                Looper.prepare(); //For Preparing Message Pool for the child Thread
                HttpClient client = new DefaultHttpClient();
                HttpConnectionParams.setConnectionTimeout(client.getParams(), 10000); //Timeout Limit
                HttpResponse response;
                JSONObject json = new JSONObject();

                try {
                    HttpPost post = new HttpPost(URL);
                    json.put("email", email);
                    json.put("password", pwd);
                    StringEntity se = new StringEntity( json.toString());  
                    se.setContentType(new BasicHeader(HTTP.CONTENT_TYPE, "application/json"));
                    post.setEntity(se);
                    response = client.execute(post);

                    /*Checking response */
                    if(response!=null){
                        InputStream in = response.getEntity().getContent(); //Get the data in the entity
                    }

                } catch(Exception e) {
                    e.printStackTrace();
                    createDialog("Error", "Cannot Estabilish Connection");
                }

                Looper.loop(); //Loop in the message queue
            }
        };

        t.start();      
    }

Google Gsonを使用してJSONを送受信することもできます。


こんにちは、サーバーがヘッダーコールドJSONを設定し、jsonコンテンツをそのヘッダーに配置することをサーバーに要求することは可能ですか?URLをHttpPostとして送信しますpost = new HttpPost( " abc.com/xyz/usersgetuserdetails"); しかし、その無効な要求エラーを言っています。コードのレミアンダーは同じです。次に、json = header = new JSONObject(); ここで起こっていただきました
AndroidDev

サーバーがどのようなリクエストを期待しているのかわかりません。これは 'json = header = new JSONObject(); '2つのjsonオブジェクトを作成しています。
Primal Pappachan 2010年

@primpop-これに対応する簡単なphpスクリプトを提供できる可能性はありますか?私はあなたのコードを実装しようとしましたが、私は一生の間、それをNULL以外のものを送信させることができませんでした。
kubiej21 2012

次のようなStringとして、inputsputstream(ここではオブジェクト)からの出力を文字列として取得できます。Writer = new StringWriter(); IOUtils.copy(in、writer、 "UTF-8"); String theString = writer.toString();
Yekmer Simsek

35
public void postData(String url,JSONObject obj) {
    // Create a new HttpClient and Post Header

    HttpParams myParams = new BasicHttpParams();
    HttpConnectionParams.setConnectionTimeout(myParams, 10000);
    HttpConnectionParams.setSoTimeout(myParams, 10000);
    HttpClient httpclient = new DefaultHttpClient(myParams );
    String json=obj.toString();

    try {

        HttpPost httppost = new HttpPost(url.toString());
        httppost.setHeader("Content-type", "application/json");

        StringEntity se = new StringEntity(obj.toString()); 
        se.setContentEncoding(new BasicHeader(HTTP.CONTENT_TYPE, "application/json"));
        httppost.setEntity(se); 

        HttpResponse response = httpclient.execute(httppost);
        String temp = EntityUtils.toString(response.getEntity());
        Log.i("tag", temp);


    } catch (ClientProtocolException e) {

    } catch (IOException e) {
    }
}

ASP.NET MVCサーバーにjsonオブジェクトを投稿しました。ASP.Netサーバーで同じJSON文字列をクエリするにはどうすればよいですか?
Karthick 2013年

19

HttpPostはAndroid Api Level 22で非推奨になっています。したがって、HttpUrlConnectionさらに使用します。

public static String makeRequest(String uri, String json) {
    HttpURLConnection urlConnection;
    String url;
    String data = json;
    String result = null;
    try {
        //Connect 
        urlConnection = (HttpURLConnection) ((new URL(uri).openConnection()));
        urlConnection.setDoOutput(true);
        urlConnection.setRequestProperty("Content-Type", "application/json");
        urlConnection.setRequestProperty("Accept", "application/json");
        urlConnection.setRequestMethod("POST");
        urlConnection.connect();

        //Write
        OutputStream outputStream = urlConnection.getOutputStream();
        BufferedWriter writer = new BufferedWriter(new OutputStreamWriter(outputStream, "UTF-8"));
        writer.write(data);
        writer.close();
        outputStream.close();

        //Read
        BufferedReader bufferedReader = new BufferedReader(new InputStreamReader(urlConnection.getInputStream(), "UTF-8"));

        String line = null;
        StringBuilder sb = new StringBuilder();

        while ((line = bufferedReader.readLine()) != null) {
            sb.append(line);
        }

        bufferedReader.close();
        result = sb.toString();

    } catch (UnsupportedEncodingException e) {
        e.printStackTrace();
    } catch (IOException e) {
        e.printStackTrace();
    }
    return result;
}

1
受け入れられた回答は減価償却され、このアプローチはより優れています
CoderBC

8

以下のリンクから入手できるAndroid HTTP用の驚くほど素晴らしいライブラリがあります。

http://loopj.com/android-async-http/

単純なリクエストは非常に簡単です。

AsyncHttpClient client = new AsyncHttpClient();
client.get("http://www.google.com", new AsyncHttpResponseHandler() {
    @Override
    public void onSuccess(String response) {
        System.out.println(response);
    }
});

JSONを送信するには(https://github.com/loopj/android-async-http/issues/125の「voidberg」へのクレジット):

// params is a JSONObject
StringEntity se = null;
try {
    se = new StringEntity(params.toString());
} catch (UnsupportedEncodingException e) {
    // handle exceptions properly!
}
se.setContentType(new BasicHeader(HTTP.CONTENT_TYPE, "application/json"));

client.post(null, "www.example.com/objects", se, "application/json", responseHandler);

それはすべて非同期で、Androidでうまく機能し、UIスレッドから安全に呼び出すことができます。responseHandlerは、それを作成したのと同じスレッド(通常、UIスレッド)で実行されます。JSON用の組み込みのresonseHandlerもありますが、私はgoogle gsonを使用することを好みます。


これが実行される最小のSDKを知っていますか?
Esko918

GUIではないので最低限あれば驚いています。試してみて、発見を投稿してみませんか。
アレックス

1
代わりに、代わりにネイティブライブラリを使用することにしました。それについてのより多くの情報があり、それ以来アンドロイドにはかなり新しいです。私は本当にiOS開発者です。プラグインして他の人のコードで遊ぶのではなく、すべてのドキュメントを読んでいるので、それはより良いです。おかげで
Esko918

3

現在、HttpClientは非推奨であるため、現在動作しているコードは、を使用しHttpUrlConnectionて接続を作成し、を書き込んで接続から読み取ります。しかし、私はボレーを使うことを好んだ。このライブラリは、android AOSPからのものです。私が作るために使用することは非常に簡単に見つけますJsonObjectRequestJsonArrayRequest


2

これほど簡単なものはありません。OkHttpLibraryを使用する

あなたのjsonを作成する

JSONObject requestObject = new JSONObject();
requestObject.put("Email", email);
requestObject.put("Password", password);

このように送信します。

OkHttpClient client = new OkHttpClient();

RequestBody body = RequestBody.create(JSON, json);
Request request = new Request.Builder()
            .addHeader("Content-Type","application/json")
            .url(url)
            .post(requestObject.toString())
            .build();

okhttp3.Response response = client.newCall(request).execute();

便利なライブラリであるokhttpを指すことに賛成ですが、指定されたコードはあまり役に立ちません。たとえば、RequestBody.create()に渡される引数は何ですか?詳細については、このリンクを参照してください:vogella.com/tutorials/JavaLibrary-OkHttp/article.html
Dabbler

0
public class getUserProfile extends AsyncTask<Void, String, JSONArray> {
    JSONArray array;
    @Override
    protected JSONArray doInBackground(Void... params) {

        try {
            commonurl cu = new commonurl();
            String u = cu.geturl("tempshowusermain.php");
            URL url =new URL(u);
          //  URL url = new URL("http://192.168.225.35/jabber/tempshowusermain.php");
            HttpURLConnection httpURLConnection = (HttpURLConnection) url.openConnection();
            httpURLConnection.setRequestMethod("POST");
            httpURLConnection.setRequestProperty("Content-Type", "application/json");
            httpURLConnection.setRequestProperty("Accept", "application/json");
            httpURLConnection.setDoOutput(true);
            httpURLConnection.setRequestProperty("Connection", "Keep-Alive");
            httpURLConnection.setDoInput(true);
            httpURLConnection.connect();

            JSONObject jsonObject=new JSONObject();
            jsonObject.put("lid",lid);


            DataOutputStream outputStream = new DataOutputStream(httpURLConnection.getOutputStream());
            outputStream.write(jsonObject.toString().getBytes("UTF-8"));

            int code = httpURLConnection.getResponseCode();
            if (code == 200) {
                BufferedReader bufferedReader = new BufferedReader(new InputStreamReader(httpURLConnection.getInputStream()));

                StringBuffer stringBuffer = new StringBuffer();
                String line;

                while ((line = bufferedReader.readLine()) != null) {
                    stringBuffer.append(line);
                }
                object =  new JSONObject(stringBuffer.toString());
             //   array = new JSONArray(stringBuffer.toString());
                array = object.getJSONArray("response");

            }

        } catch (Exception e) {

            e.printStackTrace();
        }
        return array;


    }

    @Override
    protected void onPreExecute() {
        super.onPreExecute();



    }

    @Override
    protected void onPostExecute(JSONArray array) {
        super.onPostExecute(array);
        try {
            for (int x = 0; x < array.length(); x++) {

                object = array.getJSONObject(x);
                ComonUserView commUserView=new ComonUserView();//  commonclass.setId(Integer.parseInt(jsonObject2.getString("pid").toString()));
                //pidArray.add(jsonObject2.getString("pid").toString());

                commUserView.setLid(object.get("lid").toString());
                commUserView.setUname(object.get("uname").toString());
                commUserView.setAboutme(object.get("aboutme").toString());
                commUserView.setHeight(object.get("height").toString());
                commUserView.setAge(object.get("age").toString());
                commUserView.setWeight(object.get("weight").toString());
                commUserView.setBodytype(object.get("bodytype").toString());
                commUserView.setRelationshipstatus(object.get("relationshipstatus").toString());
                commUserView.setImagepath(object.get("imagepath").toString());
                commUserView.setDistance(object.get("distance").toString());
                commUserView.setLookingfor(object.get("lookingfor").toString());
                commUserView.setStatus(object.get("status").toString());

                cm.add(commUserView);
            }
            custuserprof = new customadapterformainprofile(getActivity(),cm,Tab3.this);
          gridusername.setAdapter(custuserprof);
            //  listusername.setAdapter(custuserprof);
            } catch (Exception e) {

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