Sunday, December 1, 2013

Retrieving data from a JSON webservice in Android - simple tutorial

In this guide I'll show how to write a basic Android app that retrieves data from a JSON webservice, and simply shows it in a list.

We'll be using the following stuff.

Tutorial

Create a new Android project, with a MainActivity class inside. Create a "libs" folder inside the project, and put the GSON jar in there. When you refresh the project, Eclipse should automatically add the jar to the project's build path.

Let's have our activity extend ListActivity instead of Activity.

 public class MainActivity extends ListActivity {  
      @Override  
      protected void onCreate(Bundle savedInstanceState) {  
           super.onCreate(savedInstanceState);  
      }  

Now let's look at the "citiesJSON" webservice API.

Webservice Type : REST 
Url : api.geonames.org/citiesJSON?
Parameters : 
north,south,east,west : coordinates of bounding box 
callback : name of javascript function (optional parameter) 
lang : language of placenames and wikipedia urls (default = en)
maxRows : maximal number of rows returned (default = 10)

Result : returns a list of cities and placenames in the bounding box, ordered by relevancy (capital/population). Placenames close together are filterered out and only the larger name is included in the resulting list.

We'll call the webservice with the 4 coordinates parameters. The webservice also requires an "username" parameter. You can use the "pimentoso" user for this test, or you can register your own username here: http://www.geonames.org/login

Go to the JSONgen website, and paste the sample URL for the webservice.


When you hit "generate", the website will have you download a zip file containing the generated classes. Unzip the file and copy the classes in your project. The classes will look like this

 package com.example.placesjson;  
 import java.util.List;  
 public class GeonameList {  
      private List<Geonames> geonames;  
      public List<Geonames> getGeonames() {  
           return this.geonames;  
      }  
      public void setGeonames(List<Geonames> geonames) {  
           this.geonames = geonames;  
      }  
 }  

 package com.example.placesjson;  
 public class Geonames {  
      private String countrycode;  
      private String fcl;  
      private String fclName;  
      private String fcode;  
      private String fcodeName;  
      private Number geonameId;  
      private Number lat;  
      private Number lng;  
      private String name;  
      private Number population;  
      private String toponymName;  
      private String wikipedia;  
      [... getters and setters]  

Now we're gonna work on the activity. We're going to create the "callService()" method that does the main job: starting a thread that calls the webservice, and deserialize the data. The comments in the code should be self-explanatory.

 private void callService() {  
      // Show a loading dialog.  
      dialog = ProgressDialog.show(this, "Loading", "Calling GeoNames web service...", true, false);  
      // Create the thread that calls the webservice.  
      Thread loader = new Thread() {  
           public void run() {  
                // init stuff.  
                Looper.prepare();  
                cities = new GeonameList();  
                boolean error = false;  
                // build the webservice URL from parameters.  
                String wsUrl = "http://api.geonames.org/citiesJSON?lang=en&username=pimentoso";  
                wsUrl += "&north="+COORD_N;  
                wsUrl += "&south="+COORD_S;  
                wsUrl += "&east="+COORD_E;  
                wsUrl += "&west="+COORD_W;  
                String wsResponse = "";  
                try {  
                     // call the service via HTTP.  
                     wsResponse = readStringFromUrl(wsUrl);  
                     // deserialize the JSON response to the cities objects.  
                     cities = new Gson().fromJson(wsResponse, GeonameList.class);  
                }  
                catch (IOException e) {  
                     // IO exception  
                     Log.e(TAG, e.getMessage(), e);  
                     error = true;  
                }  
                catch (IllegalStateException ise) {  
                     // Illegal state: maybe the service returned an empty string.  
                     Log.e(TAG, ise.getMessage(), ise);  
                     error = true;  
                }  
                catch (JsonSyntaxException jse) {  
                     // JSON syntax is wrong. This could be quite bad.  
                     Log.e(TAG, jse.getMessage(), jse);  
                     error = true;  
                }  
                if (error) {  
                     // error: notify the error to the handler.  
                     handler.sendEmptyMessage(CODE_ERROR);  
                }  
                else {  
                     // everything ok: tell the handler to show cities list.  
                     handler.sendEmptyMessage(CODE_OK);  
                }  
           }  
      };  
      // start the thread.  
      loader.start();  
 }  

The code contains the "readStringFromUrl()" utility method which is not covered in this guide. Please download the project zip at the end of this post to grab the code.

When the thread has completed, the "cities" object shoud contain data returned from the webservice.


This is the simple handler that's called at the end of the method.

 // This handler will be notified when the service has responded.  
 final Handler handler = new Handler() {  
      public void handleMessage(Message msg) {  
           dialog.dismiss();  
           if (msg.what == CODE_ERROR) {  
                Toast.makeText(MainActivity.this, "Service error.", Toast.LENGTH_SHORT).show();  
           }  
           else if (cities != null && cities.getGeonames() != null) {  
                Log.i(TAG, "Cities found: " + cities.getGeonames().size());  
                buildList();  
           }  
      }  
 };  

The last thing that remains is to actually populate the list, so let's write the "buildList()" method.

 private void buildList() {  
      // init stuff.  
      List<Map<String, String>> data = new ArrayList<Map<String, String>>();  
      Map<String, String> currentChildMap = null;  
      String line1;  
      String line2;  
      // cycle on the cities and create list entries.  
      for (Geonames city : cities.getGeonames()) {  
           currentChildMap = new HashMap<String, String>();  
           data.add(currentChildMap);  
           line1 = city.getToponymName() + " (" + city.getCountrycode() + ")";  
           line2 = "Population: " + city.getPopulation();  
           currentChildMap.put("LABEL", line1);  
           currentChildMap.put("TEXT", line2);  
      }  
      // create the list adapter from the created map.  
      adapter = new SimpleAdapter(this, data, android.R.layout.simple_list_item_2,   
                new String[] { "LABEL", "TEXT" },  
                new int[] { android.R.id.text1, android.R.id.text2 });  
      setListAdapter(adapter);  
 }  

Let's wrap it all up, by calling "callService()" when the activity is started.

 @Override  
 protected void onCreate(Bundle savedInstanceState) {  
      super.onCreate(savedInstanceState);  
      callService();  
 }  

The final result should be something like this.



Error handling

You will notice that when the webservice returns an error, a JsonSyntaxException is not actually thrown. This is because GSON only throws the exception if your class has a field whose type didn't match what is in the JSON. So, in case of an error like this-

{"status":{"message":"user does not exist.","value":10}}

The exception is not actually thrown. So if you want to retrieve the error message, you could expand your GeonameList class to contain a Status object, so GSON can fill it when it is returned. 
You can read more about it here-

Other libraries

If GSON is a bit too heavy for you (with its almost 200KB) you can look into JSONbeans, a lighter library by EsotericSoftware.
https://github.com/EsotericSoftware/jsonbeans

Download

You can get the project on Github.
https://github.com/Pimentoso/AndroidPlacesJson

Alternatively, you can download the Eclipse project ZIP here.
http://www.pimentoso.com/uploads/PlacesFromJson.zip