Quantcast
Channel: Intel Developer Zone Articles
Viewing all articles
Browse latest Browse all 3384

A Case Study of an Android* Client App Using Cloud-Based Alert Service

$
0
0

Download Article

Download A Case Study of an Android* Client App Using Cloud-Based Alert Service [PDF 443KB]

Abstract

This article discusses a case study of an Android client app using a cloud-based web service. The project was built on the Google* Cloud Messaging (GCM) a free service by Google. It uses a third-party library, Android Asynchronous Http Client, to post callback-based HTTP requests. It exchanges messages with the app server using JSON strings. The google-gson library is used to parse the JSON strings. The client also consumes web services exposed by the app server through a RESTful API.

Overview

This case study focused on developing an Android client app for a cloud-based healthcare alert service. A doctor or a nurse would have this client app installed on an Android device. The hospital’s central paging system sends short notification messages to the device. The notification plays an alert sound and shows up on the device’s status bar. The user acknowledges or responds to the alert. The user could also browse all the outstanding alerts and the history. The use case was very generic; it could be easily applied to other industries. 

Google Cloud Messaging for Android

Google Cloud Messaging for Android (GCM) is a free service by Google that allows you to send messages from your server to an Android device where your app is running (Figure 1). It also allows your server to receive upstream messages from the Android app. For more details on GCM, please go to http://developer.android.com/google/gcm/gcm.html.



Figure 1. An Android* app exchanges data with the app server via GCM

Android Asynchronous Http Client

GCM provides connection servers for HTTP and XMPP. In this project, we used a third-party library, Android Asynchronous Http Client to send requests to the application server. The library is under Apache Version 2 license. It is a callback-based HTTP client, in which HTTP requests happen outside the UI thread. For detailed usages of this library, please go to http://loopj.com/android-async-http/.

Data Exchange Formats

JSON (JavaScript* Object Notation, http://www.json.org/) is a popular data-interchange format used between web services and clients. In our Android client app, we used google-gson to parse the JSON string received from the server. For more information on the google-gson library, please visit https://code.google.com/p/google-gson/.

Register with GCM and Application Server

The first time your Android app uses the GCM service, it needs to register with GCM by calling the com.google.android.gcm.GCMRegistrar method register(). In our Android client app, this was done in the onCreate() method of the start activity (Code Example 1).


package com.intcmobile.medipaging;

…
import com.google.android.gcm.GCMRegistrar;
import com.loopj.android.http.*;

…
public class SplashActivity extends Activity {
	@Override
	protected void onCreate(Bundle savedInstanceState) {
		super.onCreate(savedInstanceState);
…
		registerDeviceWithGCM();
…
	}

…
	/*
	 * Register device with GCM in background
	 */
	AsyncTask<Void, Void, Void> mRegisterTask;	
	void registerDeviceWithGCM() {
		if ((SENDER_ID == null) && (SERVER_URL == null)) {
			return;
		}
		gcmRegistrationId = GCMRegistrar.getRegistrationId(this);
		if(gcmRegistrationId.equals("")) {
			GCMRegistrar.register(this, SENDER_ID);
		} else {
			if (!GCMRegistrar.isRegisteredOnServer(this)) {
				final Context context = this;
				mRegisterTask = new AsyncTask<Void, Void, Void>() {
					@Override
					protected Void doInBackground(Void... params) {
						boolean registered = Utilities.serverRegister(context, gcmRegistrationId);
						if (!registered) {
							// Asynchronous registration task failed. Unregister this device with GCM
							GCMRegistrar.unregister(context);
						
						}
						return null;
					}					
					@Override
					protected void onPostExecute(Void result) {
						mRegisterTask = null;
					}
				};
			}
		}
	}
…
}

Code Example 1 Register the device with the GCM service **

In Code Example 1, we first check if the device is registered with GCM. If not, we register it with the GCM server. Then we check if the device is registered on the app server, if not, we kick off an AsyncTask to register it in the background. Code Example 2 shows the definition of the Utilities class.

package com.intcmobile.medipaging;

import static com.intcmobile.medipaging.Utilities.DEVICE_NAME;
import static com.intcmobile.medipaging.Utilities.SERVER_URL;
import static com.intcmobile.medipaging.Utilities.TAG;
…
import com.google.android.gcm.GCMRegistrar;

…
public class Utilities {
…
    /**
     * Handle register/unregister call back from GCMIntentService
     */

    /**
     * Register this account/device pair with the gcm server.
     * This function is normally called from the onRegistered call back function in GCMIntentService
     *
     * @return whether the registration succeeded or not.
     */
    static boolean serverRegister(final Context context, final String regId) {
        String serverUrl  = SERVER_URL + "/login";

        Map<String, String> params = new HashMap<String, String>();
        params.put("username",   Utilities.userName);
        params.put("password",   Utilities.password);
        params.put("regId",      regId);

        try {
            post(serverUrl, params);
            GCMRegistrar.setRegisteredOnServer(context, true);
            return true;
        } 
        catch (IOException e) {
        }
    }
    return false;
        }

    /**
     * Unregister this account/device pair on the server.
     */
    static void serverUnrregister(final Context context, final String regId) {
        String serverUrl = SERVER_URL + "/logout";
        Map<String, String> params = new HashMap<String, String>();
        params.put("regId", regId);
        try {
            post(serverUrl, params);
            GCMRegistrar.setRegisteredOnServer(context, false);
        } catch (IOException e) {
            //handle exception
        }
    }

    
    /**
     * Issue a GET request to the server
     * 
     */
    
    
    private static void get(String endpoint)
    	throws IOException {
    	URL url;
    	try {
        	url = new URL(endpoint);    		
    	} catch (MalformedURLException e) {
    		throw new IllegalArgumentException("invalid url: " + endpoint);
    	}
    	HttpURLConnection conn = null;
    	try {
            conn = (HttpURLConnection) url.openConnection();
            conn.setDoOutput(true);
            conn.setUseCaches(false);
            conn.setRequestMethod("GET");
            conn.setRequestProperty("Content-Type","text/html");
            // post the request
            OutputStream out = conn.getOutputStream();
            out.close();
            // handle the response
            int status = conn.getResponseCode();
       
            if (status != 200) {
              throw new IOException("HTTP GET failed with error code " + status);
            }
    		
    	} finally {       
            if (conn != null) {
                conn.disconnect();
            }    		
    	}
    }
    /**
     * Issue a POST request to the server.
     *
     * @param endpoint POST address.
     * @param params request parameters.
     *
     * @throws IOException propagated from POST.
     */
    private static void post(String endpoint, Map<String, String> params)
        throws IOException {
        URL url;
        try {
            url = new URL(endpoint);
        } catch (MalformedURLException e) {
            throw new IllegalArgumentException("invalid url: " + endpoint);
        }
        
        StringBuilder bodyBuilder = new StringBuilder();
        Iterator<Entry<String, String>> iterator = params.entrySet().iterator();
        // constructs the POST body using the parameters
        while (iterator.hasNext()) {
            Entry<String, String> param = iterator.next();
            bodyBuilder.append(param.getKey())
                       .append('=')
                       .append(param.getValue());
            if (iterator.hasNext()) {
                bodyBuilder.append('&');
            }
        }
        String body = bodyBuilder.toString();
       
        byte[] bytes = body.getBytes();
        HttpURLConnection conn = null;
        try {
            conn = (HttpURLConnection) url.openConnection();
            conn.setDoOutput(true);
            conn.setUseCaches(false);
            conn.setFixedLengthStreamingMode(bytes.length);
            conn.setRequestMethod("POST");
            conn.setRequestProperty("Content-Type",
                    "application/x-www-form-urlencoded;charset=UTF-8");
            // post the request
            OutputStream out = conn.getOutputStream();
            out.write(bytes);
            out.close();
            // handle the response
            int status = conn.getResponseCode();
            if (status != 200) {
              throw new IOException("HTTP POST operation failed with error code " + status);
            }
        } finally {
            if (conn != null) {
                conn.disconnect();
            }
        }
      }
…

}

Code Example 2 Utility methods used to register and unregister the device to the service running on the third-party app server **

Receiving Push Notifications and Sending Confirmations

In this project, we used a service called GCMIntentService to handle GCM push notifications. The service was derived from com.google.android.gcm.GCMBaseIntentService. When the Android client application received a message pushed by the app server, the GCMIntentService class’s onMessage(Context context, Intent intent) method was called, no matter if the app is currently active or not.

package com.intcmobile.medipaging;

…
import com.google.android.gcm.GCMBaseIntentService;
import com.google.android.gcm.GCMRegistrar;
import com.google.gson.Gson;
import com.google.gson.GsonBuilder;

public class GCMIntentService extends GCMBaseIntentService {
	
	public GCMIntentService () {
		super(SENDER_ID);
	}
	
	@Override
	protected void onError(Context context, String errorMessage) {
		displayMessage(context, "There were error receiving notification. Error message: " + errorMessage);
	}

	@Override
	protected void onMessage(Context context, Intent intent) {
		String alertType           = intent.getStringExtra("alertType");
		String alertId             = intent.getStringExtra("alertId");
		String alertSubject        = intent.getStringExtra("subject");
		SimpleAlertInfo alert = new SimpleAlertInfo(alertType,   alertId, 								       alertSubject);
		alerts.add(alert);		
		displayMessage(context,alert.toString());
		
	}

	@Override
	protected void onRegistered(Context context, String registrationId) {
		// This method is called when the application successfully register with GCM service
		// register with 3rd party app server
		Utilities.serverRegister(context, registrationId);
	}

	@Override
	protected void onUnregistered(Context context, String registrationId) {
		if (GCMRegistrar.isRegisteredOnServer(context)) {
			Utilities.serverUnregister(context, registrationId);
		}
	}

}

Code Example 3 The GCMIntentService class handles the server push notifications **

We added the GCMIntentService in the app’s AndroidManifest.xml file as shown in Code Example 4.

<!--
             Broadcast receiver that will receive intents from GCM
        	 service and hands them to the custom IntentService
        -->
        <receiver
            android:name="com.google.android.gcm.GCMBroadcastReceiver"
            android:permission="com.google.android.c2dm.permission.SEND">
            <intent-filter>

                <!-- receives the actual GCM message -->
                <action android:name="com.google.android.c2dm.intent.RECEIVE" />
                <!-- receives the registration ID -->
                <action android:name="com.google.android.c2dm.intent.REGISTRATION" />
                <!-- category -->
                <category android:name="com.intcmobile.medipaging" />
            </intent-filter>
        </receiver>

        <!--
      		Application specific subclass of GCMIntentService that will handle received message
      	  -->
        <service android:name="com.intcmobile.medipaging.GCMIntentService" />

Code Example 4 Define the GCMIntentService in the Android* client app's AndroidManifest.xml file **

Consuming RESTful Services

Besides receiving pushed alert notifications from the app server, the Android client app also consumes cloud-based web services exposed by the app server API via a REST interface. The basic mechanism for doing this is the Android client app posting an asynchronous HTTP request to the server. If successful, the app server returns a JSON string back to the client app (Code Example 5).

package com.intcmobile.medipaging;

…
import com.google.gson.Gson;
import com.google.gson.GsonBuilder;
import com.loopj.android.http.AsyncHttpClient;
import com.loopj.android.http.AsyncHttpResponseHandler;
import com.loopj.android.http.RequestParams;
…


public class DisplayAlertsActivity extends Activity {
…

	@Override
	public void onCreate(Bundle savedInstanceState) {
		super.onCreate(savedInstanceState);
		setContentView(R.layout.activity_display_alerts);
…
		fetchDataForHomeScreen();
	}
	
	
	private void fetchDataForHomeScreen () {
		AsyncHttpClient  client     = new AsyncHttpClient();
		StdRequestParams parameters = new StdRequestParams();
		String url = SERVER_URL + "/getDataForHomeScreen";
		showProgress(true);
		client.post(url, parameters, new AsyncHttpResponseHandler() {
			@Override
			public void onSuccess(String response) {
				jsonDataForHomeScreen = response;
				Gson gson_obj = new GsonBuilder()
								.setPrettyPrinting()
								.create();
				medipagingDataForHomeScreen = gson_obj.fromJson(jsonDataForHomeScreen, GetDataResp.class);
				
				isHomeScreenDataAvailable = true;
				showProgress(false);
				displayAlerts();
			}
			@Override
		     public void onFailure(Throwable e, String response) {
		         // Response failed :(
					showProgress(false);
		     }
		     @Override
		     public void onFinish() {
					showProgress(false);
		     }
		 });
	}
…
 }

Code Example 5 The Android* client app consumed RESTful web service using the Android Asynchronous Http Client **

In Code Example 5, we can see the Android client app uses Android Asynchronous Http client to post an HTTP request to the app server. This happens outside of the UI thread so that the Android app could still be responsive to user input. We also see, if successful, a JSON string is returned from the app server. The Android client app uses google-gson to parse the JSON string and create a GetDataResp object. Code Example 6 shows the definition of the GetDataResp class.

package com.intcmobile.common;

import java.util.*;

/**
 * The return from Get Data as well as a bunch of the other calls.
 */
public class GetDataResp extends BaseReturn {
	/** Outstanding alerts. */
	public ArrayList<AlertInfo>	alertTable;
	
	/**
	 * Constructor.
	 */
	public GetDataResp() {
	}
	
	/**
	 * Constructor.
	 */
	public GetDataResp(int _returnCode, String _reason) {
		super(_returnCode, _reason);
	}

}

Code Example 6 GetDataResp class definition **

Summary

In this article, we have discussed a case study of how to use Google Cloud Messaging to create an Android cloud-based alert service client app. In this project, we used a third-party asynchronous HTTP client to achieve the non-blocking UI. We also used JSON as the data exchange format between the app server and the Android client. From this case study, we can see a cloud service Android client app is very easy to implement. The approach discussed in this article can be applied in other cloud-based service client applications.

About the Author

Miao Wei is a software engineer in the Intel Software and Services Group. He currently works on the Intel® Atom™ processor scale enabling projects.

Any software source code reprinted in this document is furnished under a software license and may only be used or copied in accordance with the terms of that license.

Intel, the Intel logo, and Atom are trademarks of Intel Corporation in the U.S. and/or other countries.

Copyright © 2013 Intel Corporation. All rights reserved.

*Other names and brands may be claimed as the property of others.

**This sample source code is released under the Intel Sample Source Code License Agreement (http://software.intel.com/en-us/articles/intel-sample-source-code-license-agreement/)


Viewing all articles
Browse latest Browse all 3384

Trending Articles



<script src="https://jsc.adskeeper.com/r/s/rssing.com.1596347.js" async> </script>