AsyncTask and Loaders
AsyncTask and Loaders
Tutorial
Lars Vogel (c) 2014, 2016 vogella GmbHVersion 3.4,27.06.2016
Table of Contents
• 1. Background processing in Android
o 1.1. Why using concurrency?
o 1.2. Main thread
o 1.3. Threading in Android
o 1.4. Providing feedback to a long running operation
• 2. Handler
o 2.1. Purpose of the Handler class
o 2.2. Creating and reusing instances of Handlers
o 2.3. Example
• 3. AsyncTask
o 3.1. Purpose of the AsyncTask class
o 3.2. Using the AsyncTask class
o 3.3. Parallel execution of several AsyncTasks
o 3.4. Example: AsyncTask
• 4. Background processing and lifecycle handling
o 4.1. Retaining state during configuration changes
o 4.2. Using the application object to store objects
• 5. Fragments and background processing
o 5.1. Retain instance during configuration changes
o 5.2. Headless fragments
• 6. Loader
o 6.1. Purpose of the Loader class
o 6.2. Implementing a Loader
o 6.3. SQLite database and CursorLoader
• 7. Exercise: Custom loader for preferences
o 7.1. Implementation
o 7.2. Test
• 8. Usage of services
• 9. Exercise: activity lifecycle and threads
• 10. About this website
• 11. Links and Literature
o 11.1. Concurrency Resources
o 11.2. Android Resources
o 11.3. vogella GmbH training and consulting support
• Appendix A: Copyright and License
Android Threads, Handlers AsyncTask. This tutorial describes the usage of asynchronous
processing in Android applications. It also covers how to handle the application life cycle
together with threads. It is based on Android Studio.
To provide a good user experience all potentially slow running operations in an Android
application should run asynchronously. This can be archived via concurrency constructs of the
Java language or of the Android framework. Potentially slow operations are for example network,
file and database access and complex calculations.
Android enforces a worst case reaction time of applications. If an activity does not react within 5 sec
system displays an Application not responding (ANR) dialog. From this dialog the user can choose t
If you need to update the user interface from a new Thread, you need to synchronize with the
main thread. Because of this restrictions, Android developer typically use Android specific code
constructs.
Android provides additional constructs to handle concurrently in comparison with standard Java.
You can use the android.os.Handler class or the AsyncTasks classes. More sophisticated
approaches are based on theLoader class, retained fragments and services.
You can provide progress feedback via the action bar for example via an action view.
Alternatively you can use aProgressBar in your layout which you set to visible and update it
during a long running operation. Non blocking feedback is preferred so that the user can continue
to interact with the applicatoin.
Avoid using the blocking ProgressBar dialog or similar approaches if possible. Prefer providing
interface stays responsive.
2. Handler
2.1. Purpose of the Handler class
A Handler object registers itself with the thread in which it is created. It provides a channel to
send data to this thread. For example, if you create a new Handler instance in
the onCreate() method of your activity, it can be used to post data to the main thread. The data
which can be posted via the Handler class can be an instance of the Message or
theRunnable class. A Handler is particular useful if you have want to post multiple times data to
the main thread.
To avoid object creation, you can also reuse the existing Handler object of your activity.
The View class allows you to post objects of type Runnable via the post() method.
2.3. Example
The following code demonstrates the usage of an handler from a view. Assume your activity uses
the following layout.
<ProgressBar
android:id="@+id/progressBar1"
style="?android:attr/progressBarStyleHorizontal"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:indeterminate="false"
android:max="10"
android:padding="4dip" >
</ProgressBar>
<TextView
android:id="@+id/textView1"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="" >
</TextView>
<Button
android:id="@+id/button1"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:onClick="startProgress"
android:text="Start Progress" >
</Button>
</LinearLayout>
With the following code the ProgressBar get updated once the users presses the Button.
package de.vogella.android.handler;
import android.app.Activity;
import android.os.Bundle;
import android.view.View;
import android.widget.ProgressBar;
import android.widget.TextView;
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.main);
progress = (ProgressBar)
findViewById(R.id.progressBar1);
text = (TextView) findViewById(R.id.textView1);
text.setText("Updating");
progress.setProgress(value);
}
});
}
}
};
new Thread(runnable).start();
}
3. AsyncTask
3.1. Purpose of the AsyncTask class
The AsyncTask class allows to run instructions in the background and to synchronize again with
the main thread. It also reporting progress of the running tasks. AsyncTasks should be used for
short background operations which need to update the user interface. .
An AsyncTask is started via the execute() method. This execute() method calls
the doInBackground() and theonPostExecute() method.
The doInBackground() method contains the coding instruction which should be performed in
a background thread. This method runs automatically in a separate Thread.
The onPostExecute() method synchronizes itself again with the user interface thread and
allows it to be updated. This method is called by the framework once
the doInBackground() method finishes.
// Execute in parallel
imageLoader.executeOnExecutor( AsyncTask.THREAD_POOL_EXECUTOR,
"http://url.com/image.png" );
[NOTE}
The AsyncTask does not handle configuration changes automatically, i.e. if the activity is
recreated. The programmer has to handle that in his coding. A common solution to this is to
declare the AsyncTask in a retained headless fragment.
<Button
android:id="@+id/readWebpage"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:onClick="onClick"
android:text="Load Webpage" >
</Button>
<TextView
android:id="@+id/TextView01"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:text="Placeholder" >
</TextView>
</LinearLayout>
package de.vogella.android.asynctask;
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.main);
textView = (TextView)
findViewById(R.id.TextView01);
}
@Override
protected void onPostExecute(String result) {
textView.setText(result);
}
}
}
}
Run your application and press the button. The defined webpage is read in the background. Once
this process is done your TextView is updated.
You also need to handle open dialogs, as dialogs are always connected to the activity which created
them. In case the activity gets restarted and you access an existing dialog you receive a View not
attached to window manager exception.
To use your application class assign the classname to the android:name attribute of your
application.
<application android:icon="@drawable/icon"
android:label="@string/app_name"
android:name="MyApplicationClass">
<activity android:name=".ThreadsLifecycleActivity"
android:label="@string/app_name">
<intent-filter>
<action
android:name="android.intent.action.MAIN" />
<category
android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
</application>
The application class is automatically created by the Android runtime and is available unless the
whole application process is terminated.
This class can be used to access objects which should be cross activities or available for the whole
application lifecycle. In the onCreate() method you can create objects and make them available
via public fields or getter methods.
The onTerminate() method in the application class is only used for testing. If Android
terminates the process in which your application is running all allocated resources are
automatically released.
You can access the Application via the getApplication() method in your activity.
5. Fragments and background
processing
5.1. Retain instance during configuration changes
You can use fragments without user interface and retain them between configuration changes via a
call to theirsetRetainInstance() method.
This way your Thread or AsyncTask is retained during configuration changes. This allows you
to perform background processing without explicitly considering the lifecycle of your activity .
6. Loader
6.1. Purpose of the Loader class
The Loader class allows you to load data asynchronously in an activity or fragment. They can
monitor the source of the data and deliver new results when the content changes. They also persist
data between configuration changes.
The data can be cached by the Loader and this caching can survive configuration changes.
Loaders have been introduced in Android 3.0 and are part of the compatibility layer for Android
versions as of 1.6.
The LoaderManager of an activity or fragment manages one or more Loader instances. The
creation of a Loader is done via the following method call.
The third parameter of initLoader() is the class which is called once the initialization has been
started (callback class). This class must implement
the LoaderManager.LoaderCallbacks interface. It is common practice that an activity or
the fragment which uses a Loader implements
the LoaderManager.LoaderCallbacks interface.
Once the Loader has finished reading data asynchronously, the onLoadFinished() method of
the callback class is called. Here you can update your user interface.
The CursorLoader class is the replacement for Activity-managed cursors which are deprecated
now.
If the Cursor becomes invalid, the onLoaderReset() method is called on the callback class.
Create the following class as custom AsyncTaskLoader implementation for managing shared
preferences.
package com.vogella.android.loader.preferences;
import android.content.AsyncTaskLoader;
import android.content.Context;
import android.content.SharedPreferences;
import android.preference.PreferenceManager;
prefs.registerOnSharedPreferenceChangeListener(this);
return (prefs);
}
@Override
public void onSharedPreferenceChanged(SharedPreferences
sharedPreferences,
String key) {
// notify loader that content has changed
onContentChanged();
}
/**
* starts the loading of the data
* once result is ready the onLoadFinished method is
called
* in the main thread. It loader was started earlier the
result
* is return directly
* method must be called from main thread.
*/
@Override
protected void onStartLoading() {
if (prefs != null) {
deliverResult(prefs);
}
The following example code demonstrates the usage of this loader in an activity.
package com.vogella.android.loader.preferences;
import android.annotation.SuppressLint;
import android.app.Activity;
import android.app.LoaderManager;
import android.content.Loader;
import android.content.SharedPreferences;
import android.os.Bundle;
import android.widget.TextView;
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
textView = (TextView) findViewById(R.id.prefs);
getLoaderManager().initLoader(0, null, this);
@Override
public Loader<SharedPreferences> onCreateLoader(int id,
Bundle args) {
return (new SharedPreferencesLoader(this));
}
@SuppressLint("CommitPrefEdits")
@Override
public void onLoadFinished(Loader<SharedPreferences>
loader,
SharedPreferences prefs) {
int value = prefs.getInt(KEY, 0);
value += 1;
textView.setText(String.valueOf(value));
// update value
SharedPreferences.Editor editor = prefs.edit();
editor.putInt(KEY, value);
SharedPreferencesLoader.persist(editor);
}
@Override
public void onLoaderReset(Loader<SharedPreferences>
loader) {
// NOT used
}
}
7.2. Test
The LoaderManager call onLoadFinished() in your activity automatically after a
configuration change. Run the application and ensure that the value stored in the shared
preferences is increased at every configuration change.
8. Usage of services
You can also use Android services to perform background tasks.
Seehttp://www.vogella.com/tutorials/AndroidServices/article.html - Android service tutorial for
details.
<uses-permission android:name="android.permission.INTERNET"
>
</uses-permission>
<application
android:icon="@drawable/icon"
android:label="@string/app_name" >
<activity
android:name=".ThreadsLifecycleActivity"
android:label="@string/app_name" >
<intent-filter>
<action
android:name="android.intent.action.MAIN" />
<category
android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
</application>
</manifest>
<LinearLayout
android:id="@+id/linearLayout1"
android:layout_width="match_parent"
android:layout_height="wrap_content" >
<Button
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:onClick="downloadPicture"
android:text="Click to start download" >
</Button>
<Button
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:onClick="resetPicture"
android:text="Reset Picture" >
</Button>
</LinearLayout>
<ImageView
android:id="@+id/imageView1"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:src="@drawable/icon" >
</ImageView>
</LinearLayout>
Now adjust your activity. In this activity the thread is saved and the dialog is closed if the activity
is destroyed.
package de.vogella.android.threadslifecycle;
import java.io.IOException;
import org.apache.http.HttpEntity;
import org.apache.http.HttpResponse;
import org.apache.http.StatusLine;
import org.apache.http.client.HttpClient;
import org.apache.http.client.methods.HttpGet;
import org.apache.http.client.methods.HttpUriRequest;
import org.apache.http.impl.client.DefaultHttpClient;
import org.apache.http.util.EntityUtils;
import android.app.Activity;
import android.app.ProgressDialog;
import android.content.Context;
import android.graphics.Bitmap;
import android.graphics.BitmapFactory;
import android.os.Bundle;
import android.os.Handler;
import android.os.Message;
import android.view.View;
import android.widget.ImageView;
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.main);
// create a handler to update the UI
handler = new Handler() {
@Override
public void handleMessage(Message msg) {
imageView.setImageBitmap(downloadBitmap);
dialog.dismiss();
}
};
// get the latest imageView after restart of the
application
imageView = (ImageView)
findViewById(R.id.imageView1);
Context context = imageView.getContext();
System.out.println(context);
// Did we already download the image?
if (downloadBitmap != null) {
imageView.setImageBitmap(downloadBitmap);
}
// check if the thread is already running
downloadThread = (Thread)
getLastNonConfigurationInstance();
if (downloadThread != null &&
downloadThread.isAlive()) {
dialog = ProgressDialog.show(this,
"Download", "downloading");
}
}
StatusLine statusLine =
response.getStatusLine();
int statusCode = statusLine.getStatusCode();
if (statusCode == 200) {
HttpEntity entity =
response.getEntity();
byte[] bytes =
EntityUtils.toByteArray(entity);
Bitmap bitmap =
BitmapFactory.decodeByteArray(bytes, 0,
bytes.length);
return bitmap;
} else {
throw new IOException("Download failed,
HTTP response code "
+ statusCode + " - " +
statusLine.getReasonPhrase());
}
}
}
}
}
}
Run your application and press the button to start a download. You can test the correct lifecycle
behavior by changing the orientation in the emulator via the Ctrl+F11 shortcut.
It is important to note that the Thread is a static inner class. It is important to use a static inner
class for your background process because otherwise the inner class will contain a reference to the
class in which is was created. As the thread is passed to the new instance of your activity this
would create a memory leak as the old activity would still be referred to by the Thread.