-
Notifications
You must be signed in to change notification settings - Fork 6.3k
Loading Contacts with Content Providers
The way to access data from content providers is to use the LoaderManager
to execute the query and bind the cursor result to a list using SimpleCursorAdapter
. The loader manager is used to fetch the cursor asynchronously and the cursor is loaded directly into a SimpleCursorAdapter
.
NOTE: The following approach is considered deprecated. Consider using the Paging Library Guide with Content Providers. See this link and source code example for more information.
In this example, we load the data directly from the ContentProvider using a CursorLoader and then plugging the resulting dataset directly into a SimpleCursorAdapter.
Let's define a few terms used below so we understand how this example fits together:
-
ContentResolver
- Provides access to the content models for a given application. -
CursorLoader
- A loader object that queries aContentResolver
for data and returns aCursor
. -
Cursor
- Provides random read-write access to the result set returned by theCursorLoader
. -
LoaderManager
- Manages background loading operations such as async querying withCursorLoader
. -
CursorAdapter
- Adapter that exposes data from a Cursor source to a ListView widget.
These four concepts are the underlying pieces to loading data through a content provider.
First, setup permissions in the manifest:
<uses-permission android:name="android.permission.READ_CONTACTS"/>
Note: The permissions model has changed starting in Marshmallow. If your targetSdkVersion
>= 23
and you are running on a Marshmallow (or later) device, you may need to enable runtime permissions in order to get the READ_CONTACTS
permission. You can also read more about the runtime permissions changes here.
The SimpleCursorAdapter is an adapter that binds a ListView
to a Cursor
dataset displaying the result set as rows in the list. We can create the adapter before receiving the cursor by constructing as follows:
public class SampleActivity extends AppCompatActivity {
// ... existing code ...
private SimpleCursorAdapter adapter;
@Override
protected void onCreate(Bundle savedInstanceState) {
// ...
setupCursorAdapter();
}
// Create simple cursor adapter to connect the cursor dataset we load with a ListView
private void setupCursorAdapter() {
// Column data from cursor to bind views from
String[] uiBindFrom = { ContactsContract.Contacts.DISPLAY_NAME,
ContactsContract.Contacts.PHOTO_URI };
// View IDs which will have the respective column data inserted
int[] uiBindTo = { R.id.tvName, R.id.ivImage };
// Create the simple cursor adapter to use for our list
// specifying the template to inflate (item_contact),
adapter = new SimpleCursorAdapter(
this, R.layout.item_contact,
null, uiBindFrom, uiBindTo,
0);
}
}
Note that if you want to use a more complex custom layout, you should construct a custom CursorAdapter to replace the SimpleCursorAdapter
shown above.
Once we've defined our cursor adapter, we can add a ListView
to our activity called R.id.lvContacts
which will contain the list of contacts loaded from the content provider. Once we've defined the ListView in our layout XML, we can bind the list to our adapter:
public class SampleActivity extends AppCompatActivity {
@Override
protected void onCreate(Bundle savedInstanceState) {
// ...
setupCursorAdapter();
// Find list and bind to adapter
ListView lvContacts = (ListView) findViewById(R.id.lvContacts);
lvContacts.setAdapter(adapter);
}
}
Now, once we've loaded the Cursor
from the Contacts ContentProvider, we can plug the dataset into the adapter and the list will automatically populate accordingly.
Whenever we want to load data from a registered ContactProvider, we want to do the query asynchronously in order to avoid blocking the UI. Easiest way to execute this query is using a CursorLoader which runs an asynchronous query in the background against a ContentProvider
, and returns the results to our Activity.
To execute the request to our contacts provider, we need to define the callbacks that the loader will use to create the request and handle the results. These callbacks are of type LoaderCallbacks and can be defined as follows:
public class SampleActivity extends AppCompatActivity {
// ... existing code
// Defines the asynchronous callback for the contacts data loader
private LoaderManager.LoaderCallbacks<Cursor> contactsLoader =
new LoaderManager.LoaderCallbacks<Cursor>() {
// Create and return the actual cursor loader for the contacts data
@Override
public Loader<Cursor> onCreateLoader(int id, Bundle args) {
// Define the columns to retrieve
String[] projectionFields = new String[] { ContactsContract.Contacts._ID,
ContactsContract.Contacts.DISPLAY_NAME,
ContactsContract.Contacts.PHOTO_URI };
// Construct the loader
CursorLoader cursorLoader = new CursorLoader(SampleActivity.this,
ContactsContract.Contacts.CONTENT_URI, // URI
projectionFields, // projection fields
null, // the selection criteria
null, // the selection args
null // the sort order
);
// Return the loader for use
return cursorLoader;
}
// When the system finishes retrieving the Cursor through the CursorLoader,
// a call to the onLoadFinished() method takes place.
@Override
public void onLoadFinished(Loader<Cursor> loader, Cursor cursor) {
// The swapCursor() method assigns the new Cursor to the adapter
adapter.swapCursor(cursor);
}
// This method is triggered when the loader is being reset
// and the loader data is no longer available. Called if the data
// in the provider changes and the Cursor becomes stale.
@Override
public void onLoaderReset(Loader<Cursor> loader) {
// Clear the Cursor we were using with another call to the swapCursor()
adapter.swapCursor(null);
}
};
}
Now when a result comes back to the callback defined, the adapter will be bound to the cursor. With the loader callbacks specified, we can now setup our loader and execute the asynchronous request to the content provider:
public class SampleActivity extends AppCompatActivity {
// ... existing code
// Defines the id of the loader for later reference
public static final int CONTACT_LOADER_ID = 78; // From docs: A unique identifier for this loader. Can be whatever you want.
@Override
protected void onCreate(Bundle savedInstanceState) {
// Bind adapter to list
setupCursorAdapter();
// Initialize the loader with a special ID and the defined callbacks from above
getSupportLoaderManager().initLoader(CONTACT_LOADER_ID,
new Bundle(), contactsLoader);
}
}
Now we have completed the process of loading the contacts into our list using a CursorLoader
querying the ContactProvider
and loading the resulting Cursor
into the CursorAdapter
. We should now see the list of the names of our contacts.
There is yet to be a standard place to find what data is exposed by various Content Providers. Here is a list of known contracts defined for a few common ones.
-
Browser.BookmarkColumns
(Docs) -
CalendarContract
(Docs) -
ContactsContract
(Docs) -
UserDictionary
(Docs) -
MediaStore.Audio
,MediaStore.Video
(Docs) -
DocumentsContract
(Docs) -
Settings
(Docs)
This guide demonstrates the use of Cursor
based data loading with ListView
leveraging the built-in SimpleCursorAdapter
. RecyclerView does not have built-in cursor-based adapters but Arnaud Frugier wrote a great post providing the sample code for cursor-based RecyclerView adapters. To use cursors and loaders with RecyclerView, copy these files into your codebase:
These files will enable you to write cursor-based RecyclerView adapters in a style that is very similar to the approach taken with ListView.
- http://www.androiddesignpatterns.com/2012/07/loaders-and-loadermanager-background.html
- http://code.tutsplus.com/tutorials/android-sdk_loading-data_cursorloader--mobile-5673
- http://www.app-solut.com/blog/2011/03/working-with-the-contactscontract-to-query-contacts-in-android/
- https://developer.android.com/training/load-data-background/setup-loader.html
- http://www.compiletimeerror.com/2013/12/how-to-use-android-cursorloader.html#.VDHm9GRdUt0
- http://developer.android.com/reference/android/widget/SimpleCursorAdapter.html
- http://www.higherpass.com/Android/Tutorials/Working-With-Android-Contacts/
Created by CodePath with much help from the community. Contributed content licensed under cc-wiki with attribution required. You are free to remix and reuse, as long as you attribute and use a similar license.
Finding these guides helpful?
We need help from the broader community to improve these guides, add new topics and keep the topics up-to-date. See our contribution guidelines here and our topic issues list for great ways to help out.
Check these same guides through our standalone viewer for a better browsing experience and an improved search. Follow us on twitter @codepath for access to more useful Android development resources.