Often Android apps have to exchange information with a remote server using Android HTTP client. The easiest way is to use the HTTP protocol as a base to transfer information. There are several scenarios where the HTTP protocol is very useful like downloading an image from a remote server or uploading some binary data to the server. Android app performs GET or POST request to send data. In this post, we want to investigate how to use HttpURLConnection to communicate with a remote server.
As a server, we will use three simple Servlet running inside Tomcat 7.0. We won’t cover how to create a Servlet using API 3.0, you can find the source code here.
You can download the tutorial source code here:
GET and POST requests in Android HTTP Client
When developing Android HTTP client, GET and POST requests are the base blocks in HTTP protocol. To make this kind of requests we need first to open a connection toward the remote server:
[java] HttpURLConnection con = (HttpURLConnection) ( new URL(url)).openConnection();con.setRequestMethod("POST");
con.setDoInput(true);
con.setDoOutput(true);
con.connect();
[/java]
In the first line we get the HttpURLConnection, while in line 2, we set the method and at the end we connect to the server.
Once we have opened the connection we can write on it using the OutputStream.
con.getOutputStream().write( ("name=" + name).getBytes());
As we already know parameters are written using key-value pair.
The last step is reading the response, using the InputStream:
byte[] b = new byte[1024];
while ( is.read(b) != -1)
buffer.append(new String(b));
con.disconnect();[/java]
Everything is very simple by now, but we have to remember one thing: when android HTTP client makes an HTTP connection, this operation is a time- consuming operation that could require a long time, sometime so we can’t run it on the main thread otherwise we could get a ANR problem. To solve it we can use an AsyncTask.
@Override
protected String doInBackground(String… params) {
String url = params[0];
String name = params[1];
String data = sendHttpRequest(url, name);
return data;
}
@Override
protected void onPostExecute(String result) {
edtResp.setText(result);
item.setActionView(null);
}
}[/java]
Running the app we get:
![]() | ![]() |
As we can see we post a name to the server and it responds with the classic ‘Hello….’. On the server side we can check that the server received correctly our post parameter:
Download data from server to Android app
One of the most common scenario when developing Android HTTP client is when an Android App has to download some data from a remote server. We can suppose that we want to download an image from the server. In this case we have always to use an AsyncTask to complete our operation, the code is shown below:
[java]public byte[] downloadImage(String imgName) {ByteArrayOutputStream baos = new ByteArrayOutputStream();
try {
System.out.println("URL ["+url+"] – Name ["+imgName+"]");
HttpURLConnection con = (HttpURLConnection) ( new URL(url)).openConnection();
con.setRequestMethod("POST");
con.setDoInput(true);
con.setDoOutput(true);
con.connect();
con.getOutputStream().write( ("name=" + imgName).getBytes());
InputStream is = con.getInputStream();
byte[] b = new byte[1024];
while ( is.read(b) != -1)
baos.write(b);
con.disconnect();
}
catch(Throwable t) {
t.printStackTrace();
}
return baos.toByteArray();
}[/java]
This method is called in this way:
[java] private class SendHttpRequestTask extends AsyncTask<String, Void, byte[]> { @Override
protected byte[] doInBackground(String… params) {
String url = params[0];
String name = params[1];
HttpClient client = new HttpClient(url);
byte[] data = client.downloadImage(name);
return data;
}
@Override
protected void onPostExecute(byte[] result) {
Bitmap img = BitmapFactory.decodeByteArray(result, 0, result.length);
imgView.setImageBitmap(img);
item.setActionView(null);
}
}
[/java]
Running the app we have:
Build real weather app: JSON, HTTP and Openweathermap
Android Apache HTTP Client
Android AsyncTask ListView -JSON
Upload data to the server using MultipartRequest
This the most complex part in developing Android HTTP client is handling HTTP connection. Natively HttpURLConnection doesn’t handle this type of request. It can happen that an Android App has to upload some binary data to the server. It can be that an app has to upload an image for example. In this case,the request gets more complex, because a “normal” request isn’t enough. We have to create a MultipartRequest.
A MultipartRequest is a request that is made by different parts as parameters and binary data. How can we handle this request?
Well the first step is opening a connection informing the server we want to send some binary info:
[java] public void connectForMultipart() throws Exception {con = (HttpURLConnection) ( new URL(url)).openConnection();
con.setRequestMethod("POST");
con.setDoInput(true);
con.setDoOutput(true);
con.setRequestProperty("Connection", "Keep-Alive");
con.setRequestProperty("Content-Type", "multipart/form-data; boundary=" + boundary);
con.connect();
os = con.getOutputStream();
}[/java]
In lines 6 and 7, we specify the request content-type and another field called boundary. This field is a char sequence used to separate different parts.
For each part, we want to add we need to specify if it is text part like post parameter or it is a file (so binary data).
[java] public void addFormPart(String paramName, String value) throws Exception {writeParamData(paramName, value);
}
private void writeParamData(String paramName, String value) throws Exception {
os.write( (delimiter + boundary + "rn").getBytes());
os.write( "Content-Type: text/plainrn".getBytes());
os.write( ("Content-Disposition: form-data; name="" + paramName + ""rn").getBytes());;
os.write( ("rn" + value + "rn").getBytes());
}[/java]
where
[java]private String delimiter = "–";private String boundary = "SwA"+Long.toString(System.currentTimeMillis())+"SwA";
[/java]
To add a file part we can use:
[java] public void addFilePart(String paramName, String fileName, byte[] data) throws Exception {os.write( (delimiter + boundary + "rn").getBytes());
os.write( ("Content-Disposition: form-data; name="" + paramName + ""; filename="" + fileName + ""rn" ).getBytes());
os.write( ("Content-Type: application/octet-streamrn" ).getBytes());
os.write( ("Content-Transfer-Encoding: binaryrn" ).getBytes());
os.write("rn".getBytes());
os.write(data);
os.write("\r\n".getBytes());
}
[/java]
So in our app we have:
[java] private class SendHttpRequestTask extends AsyncTask<String, Void, String> {@Override
protected String doInBackground(String… params) {
String url = params[0];
String param1 = params[1];
String param2 = params[2];
Bitmap b = BitmapFactory.decodeResource(UploadActivity.this.getResources(), R.drawable.logo);
ByteArrayOutputStream baos = new ByteArrayOutputStream();
b.compress(CompressFormat.PNG, 0, baos);
try {
HttpClient client = new HttpClient(url);
client.connectForMultipart();
client.addFormPart("param1", param1);
client.addFormPart("param2", param2);
client.addFilePart("file", "logo.png", baos.toByteArray());
client.finishMultipart();
String data = client.getResponse();
}
catch(Throwable t) {
t.printStackTrace();
}
return null;
}
@Override
protected void onPostExecute(String data) {
item.setActionView(null);
}
}[/java]
Running it we have:
![]() | ![]() |
Build real weather app: JSON, HTTP and Openweathermap
Android Apache HTTP Client
Android AsyncTask ListView -JSON
At the end of this post, you know how to handle HTTP connections using Android and how to send and retrieve data using standard HTTP library shipped with Android.
It would be a lot more efficient to googles network library Volley for these tasks.Its very easy to use to.
I HAVE A QUESTION…Can I use this library for implementing a simple control remoto control (Android-android) between the intranet ?
Usually this kind of protocol is used in a client-sever scenario, especially when you have firewall. If you are in an intranet this lib can be used too but i suggest to look for something else. First of all because you don't have fw second because you had to implement an HTTP server somewhere (i.e. in one of the two android device).
i want to get data from server and show it in the map. How can i do that. I am doing android application. please suggest some answers. Example in taxi booking application every user get the details about taxi and location of that taxi standing. How can i do like this.
how to post the parameter(data) like this format. pls help me
http://xxxxx/xxx/abc.php?id=xx&name=xxx&data=%5B{…..}] and the output result
"local" :[{"id" :"123a", "ph" : "1234444"]}
Use a POST method and instead of using
con.getOutputStream().write( ("name=" + name).getBytes());
use
write..("name="+name+"¶m1=….¶m2="…").getBytes().
Remember to encode the data.
hi…thnx for reply ..I have tried but not working as local..[{…}] this format. my code output like this format.{"local" :{ "id" : "123",…} .how can i do that local parameter as array. below is my code
1) httpclass:
HttpParams myParams = new BasicHttpParams();
HttpConnectionParams.setConnectionTimeout(myParams, 10000);
HttpConnectionParams.setSoTimeout(myParams, 10000);
HttpClient httpclient = new DefaultHttpClient();
String jSON = jObj.toString();
HttpPost httppost = new HttpPost(url + "action=add_entry");
httppost.setHeader("Content-type", "application/json");
StringEntity se = new StringEntity(jSON);
se.setContentEncoding(new BasicHeader(HTTP.CONTENT_TYPE, "application/json"));
httppost.setEntity(se);
// Checking Response
HttpResponse response = httpclient.execute(httppost);
String temp = EntityUtils.toString(response.getEntity());
2) activity side
JSONObject jTest = new JSONObject();
httpcilentclass.postData(jTest.put("local", jObjMain));
===========================================
pls reply ASAP possible with code..pls
Hi, I have a problem, When I Download a image this is dowloded only foe 30% end in the next part of image I have the blue ball. Do you have any suggest?
Is This image very big? Try to check if there are any error
I don't know Why this problem occurs, but I have find a solution, I have used the InputStream "is" and I have decoded the image with BitmapFactory.decodeStream(is); next at onPostExecute I have passed the img directly… I hope this procedure will is usefull for other user the will have my same problem
I've written a post about it look at this link if you like https://www.survivingwithandroid.com/2013/11/android-volley-tutorial-post-download.html
The variable buffer is never defined.
Why does some of this code use HttpClient (from Apache, org.apache.http.client.HttpClient) and some of the code use HttpURLConnection (from Java,
java.net.HttpURLConnection)?
You should use either, not both.
What can I do to get an string and not an image?
Thanks for the tut!
If you want to get a String you simply read the response.
Please provide servlet or php code as well for better understating
hey can i also provide server side code as well …. it would be really helpful……thnks in advance…..
That would be better if you publish the 'DownloadServlet' codes.
Here there is the link https://github.com/survivingwithandroid/Surviving-with-android/tree/master/misc
https://github.com/survivingwithandroid/Surviving-with-android/tree/master/misc
Just great, thanks! Could you please, show me how to send a json string to a server that requires authentication?
Thank you in advance.
hello how do I add a progressbar?
hello how do I add a progressbar?
hello how do I add a progressbar in multipart post?
hello how do I add a progressbar?
Dear Sir,
I need help in sending data to server with android code.I have an api example
http://getepass.com/api.php?action=login&&email=aaa@gmail.com&&password=root
I want to send email and password to server from mobile text and receive few parameter image ,name,compid etc and then show in app.
I am using a lib for this but I want to code it myself If possible please send me the example to post and read the json from server in android.
Thanks!
Prachi Gupta
Hi,
I’m trying to down load a file from a site, through android. The web page contains a long list of file and I’m interested in only one of them according to whatever the user choose. Should be very simple but I can’t get it to work. I don’t know a lot about HTML, probably that why…
The href is a javacript function. The item in the HTML source looks like that:
a id=”MainContent_repeater_lblDownloadFile_1587″ class=”btn-default btn-large”
href=”javascript:__doPostBack('ctl00$MainContent$repeater$ctl1588
$lblDownloadFile','')”>
As one can see on the site there is a button that by clicking it gets the file downloaded.
My question is how build the http request. I tried quite a few ways. I’m getting response from the site but not the file (which is a zip file). I’m using HttpURLConnection to connect.
Any tips on how to build the request to the server?
would appreciate very much any help, Thanks ahead, SH.
it is so tough
hello how do I add a progressbar for uploading files?
I do not know whether it’s just me or if everyone else encountering problems with your blog.
It appears as though some of the text within your content are running
off the screen. Can someone else please provide feedback and let
me know if this is happening to them as well? This could be
a issue with my internet browser because I’ve had this happen before.
Thanks
Can you send me the screenshot of your browser?
A code with a progress bar could have been perfect.. I can’t provide upload interface for my users without a progress bar 🙁
Hello, i’ve problem in implementing this code. I want to upload an array of json objects from an Andoid app ( already running on smartphone) to a remote http server. What should i take from all this code please. Thanks for help.
Hello can you send me an example of the json data you want to send? If you want to send an array you should use jssonarray and attach items
Wow, marvelous website layout! How long have you been blogging
for? you made blogging look easy. The overall look of your website is magnificent, as well as the content!
you’re really a good webmaster. The web site loading
pace is incredible. It sort of feels that you’re doing any unique trick.
Also, The contents are masterwork. you have done
a fantastic job in this matter!
Thank you very much
I am only using “Web” in MIT app inventer. Is it possible using that?
I don’t think so but I’m not sure