1. ホーム
  2. android

[解決済み] アンドロイドでHTTPリクエストをする

2022-03-14 02:56:50

質問

どこを探しても答えが見つからないのですが、簡単なHTTPリクエストをする方法はありますか?私は自分のウェブサイトの1つでPHPページ/スクリプトをリクエストしたいのですが、ウェブページを表示したくありません。

可能であれば、バックグラウンドで(BroadcastReceiverで)行いたい。

どのように解決するのですか?

最新情報

これは非常に古い回答です。私はもう間違いなくApacheのクライアントをお勧めしません。代わりにどちらかを使ってください。

オリジナルアンサー

まず、ネットワークへのアクセス権を要求し、マニフェストに以下を追加してください。

<uses-permission android:name="android.permission.INTERNET" />

そこで、最も簡単な方法は、AndroidにバンドルされているApache httpクライアントを使用することです。

    HttpClient httpclient = new DefaultHttpClient();
    HttpResponse response = httpclient.execute(new HttpGet(URL));
    StatusLine statusLine = response.getStatusLine();
    if(statusLine.getStatusCode() == HttpStatus.SC_OK){
        ByteArrayOutputStream out = new ByteArrayOutputStream();
        response.getEntity().writeTo(out);
        String responseString = out.toString();
        out.close();
        //..more logic
    } else{
        //Closes the connection.
        response.getEntity().getContent().close();
        throw new IOException(statusLine.getReasonPhrase());
    }

もし、別スレッドで実行したいのであれば、AsyncTaskを拡張することをお勧めします。

class RequestTask extends AsyncTask<String, String, String>{

    @Override
    protected String doInBackground(String... uri) {
        HttpClient httpclient = new DefaultHttpClient();
        HttpResponse response;
        String responseString = null;
        try {
            response = httpclient.execute(new HttpGet(uri[0]));
            StatusLine statusLine = response.getStatusLine();
            if(statusLine.getStatusCode() == HttpStatus.SC_OK){
                ByteArrayOutputStream out = new ByteArrayOutputStream();
                response.getEntity().writeTo(out);
                responseString = out.toString();
                out.close();
            } else{
                //Closes the connection.
                response.getEntity().getContent().close();
                throw new IOException(statusLine.getReasonPhrase());
            }
        } catch (ClientProtocolException e) {
            //TODO Handle problems..
        } catch (IOException e) {
            //TODO Handle problems..
        }
        return responseString;
    }
    
    @Override
    protected void onPostExecute(String result) {
        super.onPostExecute(result);
        //Do anything with response..
    }
}

その後、以下の方法でリクエストすることができます。

   new RequestTask().execute("http://stackoverflow.com");