Click here to Skip to main content
15,878,814 members
Articles / Mobile Apps / Android

Asynchronous Tasks using AsyncTask

Rate me:
Please Sign up or sign in to vote.
4.92/5 (14 votes)
7 Jul 2014CPOL5 min read 97.8K   1.4K   26   18
How to handle asynchronous tasks in Android Activities

Introduction

After SDK 1.5, an API was made available for executing asynchronous tasks in Android Activities, without worrying with threads and manners to access the UI. For that, one must use AsyncTasks. Here a simple example is provided of how to properly use this API. Later, it will be discussed when to use (and when not to use) this API.

Background

In order to understand the importance of this API, one has to realize that when executing long tasks in Android Activities, the UI cannot be locked while the task is being performed. The UI has to be accessible so the user does not have the impression that the program being executed is frozen. Furthermore, when executing time-consuming tasks, the user may have to be informed of the progress of this very task. Thus, to accomplish all these goals, one has to utilize the AsyncTasks API, which allows a long job to be executed while its progress is being displayed and the interface is still accessible for the user to interact.

Using the Code

In order to use the AsyncTask API, one has to follow the steps described below:

  1. Create a class which extends AsyncTask.
  2. Fill in the generic types available as generics in the class for:
    1. the task execution array parameters
    2. progress array parameters
    3. result array parameters
  3. Implement the method doInBackground(Parameters... parameters). This method must execute the job which is supposed to be quite demanding.
  4. Optionally, one can implement methods for:
    1. cancelling the task - onCancelled(...)
    2. executing tasks before the demanding task - onPreExecute(...)
    3. reporting progress - onProgressUpdate(...)
    4. executing activities after the demanding task is finished -onPostExecute(...).

Having that in mind, now a sample will be given which the code shows what was just enumerated above.

Displayed below is the XML Layout of the Activity which holds the long-task to-be-executed. This activity has a Start/Restart and Cancel buttons, which obviously starts and cancels the task respectively. It also holds a label, which states the task status and a progress bar which actually shows the progress in terms or complete percentage.

XML
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:orientation="vertical"
    android:layout_width="fill_parent"
    android:layout_height="fill_parent"
    >
<TextView
    android:id="@+id/txtMessage"
    android:layout_width="fill_parent"
    android:layout_height="wrap_content"
    android:text="@string/hello"
    />

<ProgressBar
    android:id="@+id/progressBar"
    style="?android:attr/progressBarStyleHorizontal"
    android:layout_width="304dp"
    android:layout_height="wrap_content" />

<LinearLayout
    android:layout_width="match_parent"
    android:layout_height="wrap_content"
    android:orientation="horizontal" >

    <Button
        android:id="@+id/btnRestart"
        android:onClick="restartOnclick"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:text="Restart" />

    <Button
        android:id="@+id/btnCancel"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:onClick="cancelOnclick"
        android:text="Cancel" />

</LinearLayout>

</LinearLayout>

Given the Activity´s XML Layout, the Activity implementation will be depicted below. Note that the code is widely commented so one can easily understand it. The full application is also available for download in this article. Now, further explanations will be given regarding the most important parts of the code.

Java
package com.asynctask;

import java.text.MessageFormat;

import android.app.Activity;
import android.os.AsyncTask;
import android.os.Bundle;
import android.view.View;
import android.widget.Button;
import android.widget.ProgressBar;
import android.widget.TextView;

public class MainActivity extends Activity {
    private Button btnRestart;
    private Button btnCancel = null;
    private TextView txtMessage =  null;
    private ProgressBar mProgressBar =  null;
    private HugeWork task = null;
    private static final int MAX_PROGRESS = 10;

    @Override
    public void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.main);

        btnRestart = (Button) findViewById(R.id.btnRestart);
        btnCancel = (Button) findViewById(R.id.btnCancel);
        txtMessage = (TextView) findViewById(R.id.txtMessage);
        mProgressBar = (ProgressBar) findViewById(R.id.progressBar);

        // set an arbitrary max value for the progress bar
        mProgressBar.setMax(MAX_PROGRESS);
        // start the async task
        start();
    }

    // Cancel the async task and handle buttons enablement. Note that
    // the Cancel button is disabled because the task is finished and the
    // restart button is enabled so one can execute the process again.
    //
    // this is the listener for the Cancel Button.
    public void cancelOnclick(View v) {
        task.cancel(true);
        btnCancel.setEnabled(false);
        btnRestart.setEnabled(true);
    }

    // Restart the process execution. This is the listener to the Restart button.
    public void restartOnclick(View v) {
        start();
    }

    // Here we start the big task. For that, we reset the progress bar, set the
    // cancel button to be enable so one can stop the operation at any time and
    // finally we disable the restart button because the task is on-going.
    private void start() {
        // instantiate a new async task
        task = new HugeWork();
        // start async task setting the progress to zero
        task.execute(0);
        // reset progress
        mProgressBar.setProgress(0);
        // handle buttons
        btnCancel.setEnabled(true);
        btnRestart.setEnabled(false);
    }

    // execute the hard will which will take a lot of time. For our example,
    // 1 second.
    private void executeHardWork() {
        try {
            Thread.sleep(1000);
        }
         catch (InterruptedException e) {
            e.printStackTrace();
        }
    }

    // This class implements the methods for an async task to be executed
    // The only required method is the doInBackground(Params... params). This
    // method execute the big job in background. The other methods are not
    // required but they are implemented here so you can better understand how
    // tye work.
    //
    // Note that this class has three generic types assigned to Integer. These
    // types represents the arguments of the implemented methods.
    //
    // The first one, is passed when the async task is executed. It is an array
    // of necessary elements to be passed for the async task to be executed, in
    // case there is a need to do so. This parameter is used in the method doInBackground(...).
    //
    // The second parameter is eh type used for progress.
    // Thus, when onProgressUpdate(...) is called,
    // the parameters for this methods are of the type of this second parameter.
    //
    // The third parameter is used for when the task is complete.
    // Note that this parameter is the
    // return type of the method doInBackground(...) and
    // the parameter of the methods onPostExecute(...)
    // and onCancelled(...).
    class HugeWork extends AsyncTask<Integer, Integer, Integer> {

        // Method executed before the async task start. All things needed to be
        // setup before the async task must be done here. In this example we
        // simply display a message.
        @Override
        protected void onPreExecute() {
            txtMessage.setText("Executing async task...");
            super.onPreExecute();
        }

        // Here is where all the hard work is done. We simulate it by executing
        // a sleep for 1 second, 10 times. Each time the sleep is performed, we update
        // our progress in the method publishProgress(...). This method executes the
        // overridden method onProgressUpdate(...) which updates the progress.
        @Override
        protected Integer doInBackground(Integer... params) {

            // get the initial parameters. For us, this is the initial bar progress = 0
            int progress = ((Integer[])params)[0];

            do {

                // only keep going in case the task was not cancelled
                if (!this.isCancelled()) {
                    // execute hard work - sleep
                    executeHardWork();
                }
                else {
                    // in case the task was cancelled, break the loop
                    // and finish this task
                    break;
                }

                // upgrade progress
                progress++;
                publishProgress(progress);
            } while (progress <= MAX_PROGRESS);

            return progress;
        }

        // Every time the progress is informed, we update the progress bar
        @Override
        protected void onProgressUpdate(Integer... values) {
            int progress = ((Integer[])values)[0];
            mProgressBar.setProgress(progress);
            super.onProgressUpdate(values);
        }

        // If the cancellation occurs, set the message informing so
        @Override
        protected void onCancelled(Integer result) {
            txtMessage.setText(MessageFormat.format
            ("Async task has been cancelled at {0} seconds.", result - 1));
            super.onCancelled(result);
        }

        // Method executed after the task is finished. If the task is cancelled this method is not
        // called. Here we display a finishing message and arrange the buttons.
        @Override
        protected void onPostExecute(Integer result) {
            txtMessage.setText(MessageFormat.format
            ("Async task execution finished in {0} seconds.", result - 1));
            btnCancel.setEnabled(false);
            btnRestart.setEnabled(true);
            super.onPostExecute(result);
        }
    }
}

The method shown below represents the core of the asynchronous functionality. This method executes the long-time task (calling the time-consuming-method executeHardWork()) and report its progress using the method publishProgress(progress) - which makes the event onProgressUpdate(...) to be executed.. Note also that here it is verified whether the task was cancelled, before it proceeds.

Thus, here all which is desired for a long-period-asynchronous task execution is accomplished. The job does not freeze the UI, it can be cancelled and its progress is reported.

Java
// Here is where all the hard work is done. We simulate it by executing
// a sleep for 1 second, 10 times. Each time the sleep is performed, we update
// our progress in the method publishProgress(...). This method executes the
// overridden method onProgressUpdate(...) which updates the progress.
@Override
protected Integer doInBackground(Integer... params) {

    // get the initial parameters. For us, this is the initial bar progress = 0
    int progress = ((Integer[])params)[0];

    do {

        // only keep going in case the task was not cancelled
        if (!this.isCancelled()) {
            // execute hard work - sleep
            executeHardWork();
        }
        else {
            // in case the task was cancelled, break the loop
            // and finish this task
            break;
        }

        // upgrade progress
        progress++;
        publishProgress(progress);
    } while (progress <= MAX_PROGRESS);

    return progress;
} 

Continuing, have a look at the method displayed below. It interacts with the UI displaying the progress made. Note that the percentage of the progress is indeed informed by the variable <code>progress. Moreover, observe that this method, the onProgressUpdate(...) was called by the publishProgress(progress), as mentioned earlier.

Java
// Every time the progress is informed, we update the progress bar
@Override
protected void onProgressUpdate(Integer... values) {
    int progress = ((Integer[])values)[0];
    mProgressBar.setProgress(progress);
    super.onProgressUpdate(values);
} 

Another method worth mentioning is the onCancelled(Integer). This event is called and the cancellation is performed. This method simply displays a message stating the new status (cancellation). Notice also, that when the cancellation is dispatched, the method doInBackground(...) stops executing when the isCancelled() verification returns true. It is important to emphasize that, when the call off occurs, the method onPostExecute(...) is not called. In the code, the cancellation was triggered by the Cancel Button event cancelOnclick(View). The method called in the AsyncTask object was AsyncTask.cancel(boolean).

Java
 // If the cancellation occurs, set the message informing so
@Override
protected void onCancelled(Integer result) {
    txtMessage.setText(MessageFormat.format
    ("Async task has been cancelled at {0} seconds.", result - 1));
    super.onCancelled(result);
}

The last method discussed is the onPostExecute(Integer). It executes the necessary work after the task is finished. Here it displays a finish message and resets the form so the job can be started over. Again, this method is not called when the task is cancelled, as stated before.

Java
 // Method executed after the task is finished. If the task is cancelled this method is not
// called. Here we display a finishing message and arrange the buttons.
@Override
protected void onPostExecute(Integer result) {
    txtMessage.setText(MessageFormat.format
    ("Async task execution finished in {0} seconds.", result - 1));
    btnCancel.setEnabled(false);
    btnRestart.setEnabled(true);
    super.onPostExecute(result);
}

When to Use this API

After reading this article, one may be wondering whether this manner of interacting with the UI should be used with every action taken by the user. For instance, suppose your UI displays a list of items and you can edit, delete, update or make changes in a set of them. For each of these actions, one may be inclined to use this API, believing that by doing so, there will be no risk of the user interacting with a frozen form. The answer to this issue is: no, one does not have to use this API for each user action, and here are the reasons:

  1. Most of the user actions will have a quick response, thus making it much simpler to just implement the event without worrying about frozen windows.
  2. The code is much harder to maintain. Think about the situation just described where one has a list in which many actions can be taken. The code would be tediously repetitive, prompted to many bugs and most of the code written would be rendered useless because there is no need for fancy asynchronous interactions.

However, one should be aware of the scenarios where this API is mandatory for a good user experience. These cases fall into a simple rule, which is obvious but deserves to be discussed: whenever an action will take too long - more than one or two seconds - the user must be warned that a job is still being executed. Here are the cases where these situations are most likely to happen:

  1. The activity involves network communication. Whenever the application has to interact with the internet or local network, there most likely will be a delay. Thus one should use the AsyncTask API.
  2. The application is starting and heavy processing is being made. This occurs mainly in games. Note that when most of the fanciest games open, they take a while to start. This is the ideal scenario to show a progress bar, a label stating what is happening, and a waiting message.

Conclusions

This article explained in details how the Android API for asynchronous tasks works. This API is very interesting because the resulting code is quite organized and something which could be quite hard to implement using threads is straightforward and easy to maintain. Finally, here we also discussed when it is appropriate to use this API and when it is not.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Architect
Brazil Brazil
Graduated from Universidade Estadual de Campinas (State University of Campinas - UNICAMP) having experience with undergrad research.

Started working as a developer with Java and .NET Web and Desktop applications. Also, developed Eclipse PDE, Perl, PHP and Android applications.

Currently working as a Tech Lead, Architect and ScrumMaster for .NET and Java Enterprise applications.

Main interests: Software Architecture, Technical Leadership, Web and Mobile applications, SCRUM

Comments and Discussions

 
GeneralTutorial Pin
Member 1096890525-Jul-14 6:59
Member 1096890525-Jul-14 6:59 
GeneralRe: Tutorial Pin
Eduardo Antonio Cecilio Fernandes25-Jul-14 7:03
Eduardo Antonio Cecilio Fernandes25-Jul-14 7:03 
GeneralRe: Tutorial Pin
Eduardo Antonio Cecilio Fernandes25-Jul-14 7:39
Eduardo Antonio Cecilio Fernandes25-Jul-14 7:39 
BugLink to source not working Pin
Mike.Ltm23-Jul-14 3:21
Mike.Ltm23-Jul-14 3:21 
GeneralRe: Link to source not working Pin
Eduardo Antonio Cecilio Fernandes23-Jul-14 3:41
Eduardo Antonio Cecilio Fernandes23-Jul-14 3:41 
GeneralRe: Link to source not working Pin
Mike.Ltm23-Jul-14 18:54
Mike.Ltm23-Jul-14 18:54 
GeneralRe: Link to source not working Pin
Eduardo Antonio Cecilio Fernandes24-Jul-14 1:05
Eduardo Antonio Cecilio Fernandes24-Jul-14 1:05 
GeneralRe: Link to source not working Pin
Eduardo Antonio Cecilio Fernandes24-Jul-14 14:58
Eduardo Antonio Cecilio Fernandes24-Jul-14 14:58 
GeneralRe: Link to source not working Pin
Eduardo Antonio Cecilio Fernandes25-Jul-14 7:39
Eduardo Antonio Cecilio Fernandes25-Jul-14 7:39 
GeneralRe: Link to source not working Pin
Mike.Ltm27-Jul-14 20:42
Mike.Ltm27-Jul-14 20:42 
GeneralRe: Link to source not working Pin
Eduardo Antonio Cecilio Fernandes28-Jul-14 0:48
Eduardo Antonio Cecilio Fernandes28-Jul-14 0:48 
GeneralRe: Link to source not working Pin
Eduardo Antonio Cecilio Fernandes28-Jul-14 8:33
Eduardo Antonio Cecilio Fernandes28-Jul-14 8:33 
QuestionMuito bom artigo Pin
Thelonious Monk11-Jul-14 15:02
Thelonious Monk11-Jul-14 15:02 
AnswerRe: Muito bom artigo Pin
Eduardo Antonio Cecilio Fernandes11-Jul-14 17:47
Eduardo Antonio Cecilio Fernandes11-Jul-14 17:47 
GeneralMy vote of 5 Pin
j3_arduino30-May-13 10:46
j3_arduino30-May-13 10:46 
GeneralRe: My vote of 5 Pin
Eduardo Antonio Cecilio Fernandes31-May-13 8:38
Eduardo Antonio Cecilio Fernandes31-May-13 8:38 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.