web-dev-qa-db-ja.com

Android HTTPUrlConnection:HTTP本文に投稿データを設定する方法は?

HTTPUrlConnectionを既に作成しました:

String postData = "x=val1&y=val2";
URL url = new URL(strURL);
HttpURLConnection conn = (HttpURLConnection) url.openConnection();
conn.setRequestMethod("POST");
conn.setRequestProperty("Content-Type", "application/x-www-form-urlencoded");
conn.setRequestProperty("Set-Cookie", sessionCookie);
conn.setRequestProperty("Content-Length", "" + Integer.toString(postData.getBytes().length));

// How to add postData as http body?

conn.setUseCaches(false);
conn.setDoInput(true);
conn.setDoOutput(true);

Http本文にpostDataを設定する方法がわかりません。その方法は?代わりにHttpPostを使用した方が良いでしょうか?

ご協力いただきありがとうございます。

51
Rob

Stringのみを送信する場合は、次の方法を試してください。

String str =  "some string goes here";
byte[] outputInBytes = str.getBytes("UTF-8");
OutputStream os = conn.getOutputStream();
os.write( outputInBytes );    
os.close();

ただし、Jsonとして送信する場合は、コンテンツタイプを次のように変更します。

conn.setRequestProperty("Content-Type","application/json");  

そして今、私たちのstrを書くことができます:

String str =  "{\"x\": \"val1\",\"y\":\"val2\"}";

それが役立つことを願って、

78
Maxim Shoustin

グルパランのリンク 上記のコメントで、この質問に対する本当にいい答えが得られます。ご覧になることを強くお勧めします。彼のソリューションを機能させる原理は次のとおりです。

私が理解していることから、HttpURLConnectionは、応答本体をOutputStreamとして表しています。したがって、次のようなものを呼び出す必要があります。

接続の出力ストリームを取得する

OutputStream op = conn.getOuputStream();

応答本文を書く

op.write( [/*your string in bit form*/] );

出力ストリームを閉じます

op.close();

その後、接続を使用して陽気な方法で続行します(接続を閉じる必要があります)。

3