답변:
이것은 매우 오래된 답변입니다. 나는 더 이상 아파치의 클라이언트를 추천하지 않을 것이다. 대신 다음 중 하나를 사용하십시오.
우선 네트워크 액세스 권한을 요청하고 매니페스트에 다음을 추가하십시오.
<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");
Apache HttpClient를 선택해야하는 명백한 이유가 없으면 java.net.URLConnection을 선호해야합니다. 웹에서 사용하는 방법에 대한 많은 예를 찾을 수 있습니다.
원래 게시물 이후로 Android 설명서도 개선되었습니다. http://developer.android.com/reference/java/net/HttpURLConnection.html
우리는 공식 블로그 ( http://android-developers.blogspot.com/2011/09/androids-http-clients.html) 에서 장단점에 대해 이야기했습니다.
참고 : Android와 번들로 제공되는 Apache HTTP 클라이언트는 이제 HttpURLConnection 을 위해 더 이상 사용되지 않습니다 . 자세한 내용은 Android 개발자 블로그 를 참조하십시오.
<uses-permission android:name="android.permission.INTERNET" />
매니페스트에 추가 하십시오.
그런 다음 다음과 같이 웹 페이지를 검색하십시오.
URL url = new URL("http://www.android.com/");
HttpURLConnection urlConnection = (HttpURLConnection) url.openConnection();
try {
InputStream in = new BufferedInputStream(urlConnection.getInputStream());
readStream(in);
}
finally {
urlConnection.disconnect();
}
또한 별도의 스레드에서 실행하는 것이 좋습니다.
class RequestTask extends AsyncTask<String, String, String>{
@Override
protected String doInBackground(String... uri) {
String responseString = null;
try {
URL url = new URL(myurl);
HttpURLConnection conn = (HttpURLConnection) url.openConnection();
if(conn.getResponseCode() == HttpsURLConnection.HTTP_OK){
// Do normal input or output stream reading
}
else {
response = "FAILED"; // See documentation for more info on response handling
}
} 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..
}
}
응답 처리 및 POST 요청에 대한 자세한 내용은 설명서 를 참조하십시오 .
readStream
심지어 정의되지 않았습니다.
가장 간단한 방법은 Volley 라는 Android 라이브러리를 사용하는 것입니다.
발리는 다음과 같은 이점을 제공합니다.
네트워크 요청의 자동 예약. 여러 개의 동시 네트워크 연결 . 표준 HTTP 캐시 일관성을 갖춘 투명한 디스크 및 메모리 응답 캐싱. 요청 우선 순위 지원. 취소 요청 API. 단일 요청을 취소하거나 취소 할 요청 블록 또는 범위를 설정할 수 있습니다. 재시도 및 백 오프와 같은 사용자 정의가 용이합니다. 네트워크에서 비동기식으로 가져온 데이터로 UI를 올바르게 채울 수있는 강력한 순서입니다. 디버깅 및 추적 도구.
다음과 같이 간단하게 http / https 요청을 보낼 수 있습니다.
// Instantiate the RequestQueue.
RequestQueue queue = Volley.newRequestQueue(this);
String url ="http://www.yourapi.com";
JsonObjectRequest request = new JsonObjectRequest(url, null,
new Response.Listener<JSONObject>() {
@Override
public void onResponse(JSONObject response) {
if (null != response) {
try {
//handle your response
} catch (JSONException e) {
e.printStackTrace();
}
}
}
}, new Response.ErrorListener() {
@Override
public void onErrorResponse(VolleyError error) {
}
});
queue.add(request);
이 경우, 모두 이미 발리에서 수행 했으므로 "백그라운드에서 실행"또는 "캐시 사용"을 고려할 필요가 없습니다.
실로 :
private class LoadingThread extends Thread {
Handler handler;
LoadingThread(Handler h) {
handler = h;
}
@Override
public void run() {
Message m = handler.obtainMessage();
try {
BufferedReader in =
new BufferedReader(new InputStreamReader(url.openStream()));
String page = "";
String inLine;
while ((inLine = in.readLine()) != null) {
page += inLine;
}
in.close();
Bundle b = new Bundle();
b.putString("result", page);
m.setData(b);
} catch (MalformedURLException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}
handler.sendMessage(m);
}
}
웹 서비스가 Gson lib를 사용하여 URL을 다시 요청하기 위해 이것을 만들었습니다.
고객:
public EstabelecimentoList getListaEstabelecimentoPorPromocao(){
EstabelecimentoList estabelecimentoList = new EstabelecimentoList();
try{
URL url = new URL("http://" + Conexao.getSERVIDOR()+ "/cardapio.online/rest/recursos/busca_estabelecimento_promocao_android");
HttpURLConnection con = (HttpURLConnection) url.openConnection();
if (con.getResponseCode() != 200) {
throw new RuntimeException("HTTP error code : "+ con.getResponseCode());
}
BufferedReader br = new BufferedReader(new InputStreamReader((con.getInputStream())));
estabelecimentoList = new Gson().fromJson(br, EstabelecimentoList.class);
con.disconnect();
} catch (IOException e) {
e.printStackTrace();
}
return estabelecimentoList;
}
gradle을 통해 사용할 수있는이 멋진 새 라이브러리를보십시오 :)
build.gradle : compile 'com.apptakk.http_request:http-request:0.1.2'
용법:
new HttpRequestTask(
new HttpRequest("http://httpbin.org/post", HttpRequest.POST, "{ \"some\": \"data\" }"),
new HttpRequest.Handler() {
@Override
public void response(HttpResponse response) {
if (response.code == 200) {
Log.d(this.getClass().toString(), "Request successful!");
} else {
Log.e(this.getClass().toString(), "Request unsuccessful: " + response);
}
}
}).execute();
위에서 제안한대로 발리를 사용하십시오. build.gradle에 다음을 추가하십시오 (모듈 : app).
implementation 'com.android.volley:volley:1.1.1'
AndroidManifest.xml에 다음을 추가하십시오.
<uses-permission android:name="android.permission.INTERNET" />
그리고 당신에게 활동 코드를 추가하십시오 :
public void httpCall(String url) {
RequestQueue queue = Volley.newRequestQueue(this);
StringRequest stringRequest = new StringRequest(Request.Method.GET, url,
new Response.Listener<String>() {
@Override
public void onResponse(String response) {
// enjoy your response
}
}, new Response.ErrorListener() {
@Override
public void onErrorResponse(VolleyError error) {
// enjoy your error status
}
});
queue.add(stringRequest);
}
http 클라이언트를 대체하며 매우 간단합니다.
이것은 안드로이드의 HTTP Get / POST 요청을위한 새로운 코드입니다. HTTPClient
사용되지 않으며 제 경우와 같이 사용하지 못할 수 있습니다.
먼저 build.gradle에 두 가지 종속성을 추가하십시오.
compile 'org.apache.httpcomponents:httpcore:4.4.1'
compile 'org.apache.httpcomponents:httpclient:4.5'
그런 다음이 코드 ASyncTask
를 doBackground
메소드 에 작성하십시오 .
URL url = new URL("http://localhost:8080/web/get?key=value");
HttpURLConnection urlConnection = (HttpURLConnection)url.openConnection();
urlConnection.setRequestMethod("GET");
int statusCode = urlConnection.getResponseCode();
if (statusCode == 200) {
InputStream it = new BufferedInputStream(urlConnection.getInputStream());
InputStreamReader read = new InputStreamReader(it);
BufferedReader buff = new BufferedReader(read);
StringBuilder dta = new StringBuilder();
String chunks ;
while((chunks = buff.readLine()) != null)
{
dta.append(chunks);
}
}
else
{
//Handle else
}
나에게 가장 쉬운 방법은 Retrofit2 라는 라이브러리를 사용하는 것입니다.
요청 메소드, 매개 변수를 포함하는 인터페이스를 작성해야하며 각 요청에 대해 사용자 정의 헤더를 작성할 수도 있습니다.
public interface MyService {
@GET("users/{user}/repos")
Call<List<Repo>> listRepos(@Path("user") String user);
@GET("user")
Call<UserDetails> getUserDetails(@Header("Authorization") String credentials);
@POST("users/new")
Call<User> createUser(@Body User user);
@FormUrlEncoded
@POST("user/edit")
Call<User> updateUser(@Field("first_name") String first,
@Field("last_name") String last);
@Multipart
@PUT("user/photo")
Call<User> updateUser(@Part("photo") RequestBody photo,
@Part("description") RequestBody description);
@Headers({
"Accept: application/vnd.github.v3.full+json",
"User-Agent: Retrofit-Sample-App"
})
@GET("users/{username}")
Call<User> getUser(@Path("username") String username);
}
가장 좋은 방법은 enqueue 메서드를 사용하여 비동기 적으로 쉽게 할 수 있다는 것입니다.
답변 중 어느 것도 OkHttp로 요청을 수행하는 방법을 설명하지 않았 으므로 요즘에는 Android 및 Java에서 일반적으로 널리 사용되는 http 클라이언트입니다. 간단한 예제를 제공하려고합니다.
//get an instance of the client
OkHttpClient client = new OkHttpClient();
//add parameters
HttpUrl.Builder urlBuilder = HttpUrl.parse("https://www.example.com").newBuilder();
urlBuilder.addQueryParameter("query", "stack-overflow");
String url = urlBuilder.build().toString();
//build the request
Request request = new Request.Builder().url(url).build();
//execute
Response response = client.newCall(request).execute();
이 라이브러리의 분명한 장점은 하위 수준의 세부 정보에서 우리를 추상화하여보다 친절하고 안전한 상호 작용 방법을 제공한다는 것입니다. 구문도 단순화되어 멋진 코드를 작성할 수 있습니다.