ContentProvider and sharing data
Overview
An SQLite database is private to the application which creates it. If you want to share data with other applications you can use aContentProvider
.
A
ContentProvider
allows applications
to access data. In most cases this data is stored in an SQlite
database.
A
ContentProvider
can be used
internally in an application to access data. If the data should be
shared with another application a ContentProvider
allows this.
The access to a
ContentProvider
is
done via an URI. The basis for the URI is defined in the declaration
of the ContentProvider
in the
"AndroidManifest.xml" file via the android:authorities
attribute.
Many Android datasources, e.g. the contacts, are accessible via
ContentProviders
. Typically the
implementing classes for a ContentProviders
provide public constants for the URI's.
Own ContentProvider
To create your ownContentProvider
you have to define a class which extends
android.content.ContentProvider
. You
also define your ContentProvider
in the
"AndroidManifest.xml" file. This entry must specify the
android:authorities
attribute which
allows to identify the ContentProvider
.
This authority is the basis for the URI to access data and must be
unique.
<provider android:authorities="de.vogella.android.todos.contentprovider" android:name=".contentprovider.MyTodoContentProvider" > </provider>Your ContentProvider must implement several methods, e.g.
query()
,
insert()
, update()
,
delete()
, getType()
and onCreate()
. In case you don't
support certain methods its good practice to throw an
UnsupportedOperationException()
.
The query() method must return a Cursor object.
Security
Per default aContentProvider
will be
available to other programs. If you want to use your ContentProvider
only internally you can use the attribute android:exported=false
in the definition of your ContentProvider
in the AndroidManifest.xml.
Thread Safety
If you work directly with databases and have multiple writers from different threads you may run into concurrency issues.The
ContentProvider
can be accessed
from several programs at the same time, therefore you must implement
the access thread-safe. The easiest way is to use the keyword
synchronized
in front of all methods of
the ContentProvider
, so that only one
thread can access these methods at the same time.
If you do not require that Android synchronizes data access to the
ContentProvider
, set the
android:multiprocess=true
attribute in
your <provider> definition in the "AndroidManifest.xml"
file. This permits an instance of the provider to be created in each
client
process, eliminating the need to perform interprocess communication (IPC).
Using ContentProvider
Overview
The following example will use an existingContentProvider
from the "People" application.
Create contacts on your emulator
For this example we need a few maintained contacts. Select the home menu and then the menu entry "People" to create contacts.The app will ask you if you want to login. Either login or select "Not now". Press ""Create a new contact". You can create local contacts.
Finish adding your first contact. Afterwards the app allows you to add more contacts via the + button. As a result you should have a few new contacts in your application.
Using the Contact Content Provider
Create a new Android projectde.vogella.android.contentprovider
with the Activity
"ContactsView".
Change the layout file "main.xml" in the folder "res/layout". Rename the ID of the existing
TextView
to "contactview". Delete the default text. Also change the
layout_height to "fill_parent".
The resulting "main.xml" should look like the following.
<?xml version="1.0" encoding="utf-8"?> <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="fill_parent" android:layout_height="fill_parent" android:orientation="vertical" > <TextView android:id="@+id/contactview" android:layout_width="fill_parent" android:layout_height="fill_parent" /> </LinearLayout>Access to the contact
ContentProvider
requires a certain permission, as not all applications should have
access to the contact information. Open the "AndroidManifest.xml"
file, and select the "Permissions" tab. On that tab click
the "Add" button, and select "Uses Permission".
From the drop-down list select the entry
"android.permission.READ_CONTACTS".
Change the coding of the activity.
package de.vogella.android.contentprovider; import android.app.Activity; import android.database.Cursor; import android.net.Uri; import android.os.Bundle; import android.provider.ContactsContract; import android.widget.TextView; public class ContactsView extends Activity { /** Called when the activity is first created. */ @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.main); TextView contactView = (TextView) findViewById(R.id.contactview); Cursor cursor = getContacts(); while (cursor.moveToNext()) { String displayName = cursor.getString(cursor .getColumnIndex(ContactsContract.Data.DISPLAY_NAME)); contactView.append("Name: "); contactView.append(displayName); contactView.append("\n"); } } private Cursor getContacts() { // Run query Uri uri = ContactsContract.Contacts.CONTENT_URI; String[] projection = new String[] { ContactsContract.Contacts._ID, ContactsContract.Contacts.DISPLAY_NAME }; String selection = ContactsContract.Contacts.IN_VISIBLE_GROUP + " = '" + ("1") + "'"; String[] selectionArgs = null; String sortOrder = ContactsContract.Contacts.DISPLAY_NAME + " COLLATE LOCALIZED ASC"; return managedQuery(uri, projection, selection, selectionArgs, sortOrder); } }If you run this application the data is read from the
ContentProvider
of the People application and displayed in a TextView
.
Typically you would display such data in a ListView
but I wanted to keep this example simple.
Activities, Loader and ContentProvider
Activities
One of the challenges with accessing databases is that this access is slow. The other challenge is that the application needs to consider the life-cycle of the components correctly, e.g. opening and closing the cursor if a configuration change happens.To manage the life-cycle you could use the
managedQuery()
method in Activities
prior to Android
3.0.
As of Android 3.0 this method is deprecated and you should use the
Loader
framework to access the
ContentProvider
.
Loader
Loaders
have been introduced in
Android 3.0 and are part of the compatibility layer for older Android
versions (from Android 1.6). They are available in every Activity
and Fragment
.
Loaders
allow to load data
asynchronously, can monitor the source of the data and deliver new
results when the content changes. They reconnect to the last Loaders
Cursor
after a
configuration change.
For the
ContentProvider
you would
typically use the CursorLoader
class.
This Loader
performs the cursor query in
a background thread so that the application is not blocked.
An
Activity
which uses a Loader
for managing a Cursor
would implement
the LoaderManager.LoaderCallbacks
interface.
The
Activity
can trigger the creation
of the Loader
via the
getLoaderManager().initLoader(0, null, this)
method call.
The third parameter of
initLoader()
is the class which is called once the initialization has been started
(callback class). Typically the Activity
is used as callback class. The first parameter is a unique ID which
can be used by the callback class to identify which Loader
should be created. The second parameter is a bundle which can be
given to the callback class for more information.
The
Loader
is not directly created by
the getLoaderManager().initLoader()
method call, but must be created by the callback class in the
onCreateLoader()
method.
Once the
Loader
is created the
onLoadFinished()
method of the callback
class is called. Here you can update your user interface. The
SimpleCursorAdapter
class, which can be
used with ListViews
, has the
swapCursor()
method which allows to
safely use the new Cursor
for the
ListView
.
If the
Cursor
becomes invalid, the
onLoaderReset()
method is called on the
callback class.
SQLite, own ContentProvider and Loader
Overview
The following demo is also available in the Android Market. To allow more users to play with the app, it has been downported to Android 2.3. If you have a barcode scanner installed on your Android phone, you can scan the following QR Code to go to the example app in the Android market. Please note that the app looks and behaves differently due to the different Android versions, e.g. you have anOptionMenu
instead of the ActionBar
and the theme is different.
We will create a "To-do" application which allows the user to enter tasks for himself. These items will be stored in the SQLite database and accessed via a
ContentProvider
.
The tasks are called "todo items" or "todos" in this tutorial.
The application consists out of two
Activities
,
one for seeing a list of all todo items and one for creating and
changing a specific todo item. Both Activities
will communicate via Intents
.
To asynchronously load and manage the
Cursor
the main Activity
will use a Loader
.
The resulting application will look similar to the following.
Project
Create the projectde.vogella.android.todos
with the Activity
called
TodosOverviewActivity
. Create another
Activity
called TodoDetailActivity
.
Database classes
Create the packagede.vogella.android.todos.database
.
This package will store the classes for the database handling.
As said earlier I consider having one separate class per table as best practice. Even though we have only one table in this example we will follow this practice. This way we are prepared in case our database schema grows.
Create the following class. This class also contains constants for the table name and the columns.
package de.vogella.android.todos.database; import android.database.sqlite.SQLiteDatabase; import android.util.Log; public class TodoTable { // Database table public static final String TABLE_TODO = "todo"; public static final String COLUMN_ID = "_id"; public static final String COLUMN_CATEGORY = "category"; public static final String COLUMN_SUMMARY = "summary"; public static final String COLUMN_DESCRIPTION = "description"; // Database creation SQL statement private static final String DATABASE_CREATE = "create table " + TABLE_TODO + "(" + COLUMN_ID + " integer primary key autoincrement, " + COLUMN_CATEGORY + " text not null, " + COLUMN_SUMMARY + " text not null," + COLUMN_DESCRIPTION + " text not null" + ");"; public static void onCreate(SQLiteDatabase database) { database.execSQL(DATABASE_CREATE); } public static void onUpgrade(SQLiteDatabase database, int oldVersion, int newVersion) { Log.w(TodoTable.class.getName(), "Upgrading database from version " + oldVersion + " to " + newVersion + ", which will destroy all old data"); database.execSQL("DROP TABLE IF EXISTS " + TABLE_TODO); onCreate(database); } }Create the following
TodoDatabaseHelper
class. This class extends SQLiteOpenHelper
and calls the static methods of the TodoTable
helper class.
package de.vogella.android.todos.database; import android.content.Context; import android.database.sqlite.SQLiteDatabase; import android.database.sqlite.SQLiteOpenHelper; public class TodoDatabaseHelper extends SQLiteOpenHelper { private static final String DATABASE_NAME = "todotable.db"; private static final int DATABASE_VERSION = 1; public TodoDatabaseHelper(Context context) { super(context, DATABASE_NAME, null, DATABASE_VERSION); } // Method is called during creation of the database @Override public void onCreate(SQLiteDatabase database) { TodoTable.onCreate(database); } // Method is called during an upgrade of the database, // e.g. if you increase the database version @Override public void onUpgrade(SQLiteDatabase database, int oldVersion, int newVersion) { TodoTable.onUpgrade(database, oldVersion, newVersion); } }We will use a
ContentProvider
for
accessing the database; we will not write a data access object (DAO)
as we did in the previous SQlite example.
Create ContentProvider
Create the packagede.vogella.android.todos.contentprovider
.
Create the following
MyTodoContentProvider
class which extends ContentProvider
.
package de.vogella.android.todos.contentprovider; import java.util.Arrays; import java.util.HashSet; import android.content.ContentProvider; import android.content.ContentResolver; import android.content.ContentValues; import android.content.UriMatcher; import android.database.Cursor; import android.database.sqlite.SQLiteDatabase; import android.database.sqlite.SQLiteQueryBuilder; import android.net.Uri; import android.text.TextUtils; import de.vogella.android.todos.database.TodoDatabaseHelper; import de.vogella.android.todos.database.TodoTable; public class MyTodoContentProvider extends ContentProvider { // database private TodoDatabaseHelper database; // Used for the UriMacher private static final int TODOS = 10; private static final int TODO_ID = 20; private static final String AUTHORITY = "de.vogella.android.todos.contentprovider"; private static final String BASE_PATH = "todos"; public static final Uri CONTENT_URI = Uri.parse("content://" + AUTHORITY + "/" + BASE_PATH); public static final String CONTENT_TYPE = ContentResolver.CURSOR_DIR_BASE_TYPE + "/todos"; public static final String CONTENT_ITEM_TYPE = ContentResolver.CURSOR_ITEM_BASE_TYPE + "/todo"; private static final UriMatcher sURIMatcher = new UriMatcher( UriMatcher.NO_MATCH); static { sURIMatcher.addURI(AUTHORITY, BASE_PATH, TODOS); sURIMatcher.addURI(AUTHORITY, BASE_PATH + "/#", TODO_ID); } @Override public boolean onCreate() { database = new TodoDatabaseHelper(getContext()); return false; } @Override public Cursor query(Uri uri, String[] projection, String selection, String[] selectionArgs, String sortOrder) { // Uisng SQLiteQueryBuilder instead of query() method SQLiteQueryBuilder queryBuilder = new SQLiteQueryBuilder(); // Check if the caller has requested a column which does not exists checkColumns(projection); // Set the table queryBuilder.setTables(TodoTable.TABLE_TODO); int uriType = sURIMatcher.match(uri); switch (uriType) { case TODOS: break; case TODO_ID: // Adding the ID to the original query queryBuilder.appendWhere(TodoTable.COLUMN_ID + "=" + uri.getLastPathSegment()); break; default: throw new IllegalArgumentException("Unknown URI: " + uri); } SQLiteDatabase db = database.getWritableDatabase(); Cursor cursor = queryBuilder.query(db, projection, selection, selectionArgs, null, null, sortOrder); // Make sure that potential listeners are getting notified cursor.setNotificationUri(getContext().getContentResolver(), uri); return cursor; } @Override public String getType(Uri uri) { return null; } @Override public Uri insert(Uri uri, ContentValues values) { int uriType = sURIMatcher.match(uri); SQLiteDatabase sqlDB = database.getWritableDatabase(); int rowsDeleted = 0; long id = 0; switch (uriType) { case TODOS: id = sqlDB.insert(TodoTable.TABLE_TODO, null, values); break; default: throw new IllegalArgumentException("Unknown URI: " + uri); } getContext().getContentResolver().notifyChange(uri, null); return Uri.parse(BASE_PATH + "/" + id); } @Override public int delete(Uri uri, String selection, String[] selectionArgs) { int uriType = sURIMatcher.match(uri); SQLiteDatabase sqlDB = database.getWritableDatabase(); int rowsDeleted = 0; switch (uriType) { case TODOS: rowsDeleted = sqlDB.delete(TodoTable.TABLE_TODO, selection, selectionArgs); break; case TODO_ID: String id = uri.getLastPathSegment(); if (TextUtils.isEmpty(selection)) { rowsDeleted = sqlDB.delete( TodoTable.TABLE_TODO, TodoTable.COLUMN_ID + "=" + id, null); } else { rowsDeleted = sqlDB.delete( TodoTable.TABLE_TODO, TodoTable.COLUMN_ID + "=" + id + " and " + selection, selectionArgs); } break; default: throw new IllegalArgumentException("Unknown URI: " + uri); } getContext().getContentResolver().notifyChange(uri, null); return rowsDeleted; } @Override public int update(Uri uri, ContentValues values, String selection, String[] selectionArgs) { int uriType = sURIMatcher.match(uri); SQLiteDatabase sqlDB = database.getWritableDatabase(); int rowsUpdated = 0; switch (uriType) { case TODOS: rowsUpdated = sqlDB.update(TodoTable.TABLE_TODO, values, selection, selectionArgs); break; case TODO_ID: String id = uri.getLastPathSegment(); if (TextUtils.isEmpty(selection)) { rowsUpdated = sqlDB.update(TodoTable.TABLE_TODO, values, TodoTable.COLUMN_ID + "=" + id, null); } else { rowsUpdated = sqlDB.update(TodoTable.TABLE_TODO, values, TodoTable.COLUMN_ID + "=" + id + " and " + selection, selectionArgs); } break; default: throw new IllegalArgumentException("Unknown URI: " + uri); } getContext().getContentResolver().notifyChange(uri, null); return rowsUpdated; } private void checkColumns(String[] projection) { String[] available = { TodoTable.COLUMN_CATEGORY, TodoTable.COLUMN_SUMMARY, TodoTable.COLUMN_DESCRIPTION, TodoTable.COLUMN_ID }; if (projection != null) { HashSet<String> requestedColumns = new HashSet<String>( Arrays.asList(projection)); HashSet<String> availableColumns = new HashSet<String>( Arrays.asList(available)); // Check if all columns which are requested are available if (!availableColumns.containsAll(requestedColumns)) { throw new IllegalArgumentException( "Unknown columns in projection"); } } } }
MyTodoContentProvider
implements
update()
, insert()
,
delete()
and query()
methods. These methods map more or less directly to the
SQLiteDatabase
interface.
It also has the
checkColumns()
method
to validate that a query only requests valid columns.
Register your
ContentProvider
in your
AndroidManifest.xml file.
<application <!-- Place the following after the Activity Definition --> <provider android:name=".contentprovider.MyTodoContentProvider" android:authorities="de.vogella.android.todos.contentprovider" > </provider> </application>
Resources
Our application requires several resources. First define a menulistmenu.xml
in the folder res/menu
.
If you use the Android resource wizard to create the "listmenu.xml"
file, the folder will be created for you; if you create the file
manually you also need to create the folder manually.
This XML file will be used to define the option menu in our application. The
android:showAsAction="always"
attribute will ensure that this menu entry is displayed in the
ActionBar
of our application.
<?xml version="1.0" encoding="utf-8"?> <menu xmlns:android="http://schemas.android.com/apk/res/android" > <item android:id="@+id/insert" android:showAsAction="always" android:title="Insert"> </item> </menu>The user will be able to select the priority for the todo items. For the priorities we create a string array. Create the following file
priority.xml
in the res/values
folder .
<?xml version="1.0" encoding="utf-8"?> <resources> <string-array name="priorities"> <item>Urgent</item> <item>Reminder</item> </string-array> </resources>Define also additional strings for the application. Edit
strings.xml
under res/values
.
<?xml version="1.0" encoding="utf-8"?> <resources> <string name="hello">Hello World, Todo!</string> <string name="app_name">Todo</string> <string name="no_todos">Currently there are no Todo items maintained</string> <string name="menu_insert">Add Item</string> <string name="menu_delete">Delete Todo</string> <string name="todo_summary">Summary</string> <string name="todo_description">Delete Todo</string> <string name="todo_edit_summary">Summary</string> <string name="todo_edit_description">Description</string> <string name="todo_edit_confirm">Confirm</string> </resources>
Layouts
We will define three layouts. One will be used for the display of a row in the list, the other ones will be used by ourActivities
.
The row layout refers to an icon called "reminder". Paste an icon of type "png" called "reminder.png" into your
res/drawable
folders (
drawable-hdpi
, drawable-mdpi
,
drawable-ldpi
)
If you don't have an icon available you can copy the icon created by the Android wizard (ic_launcher.png in the res/drawable* folders) or rename the reference in the layout file. Please note that the Android Development Tools sometimes change the name of this generated icon , so your file might not be called "ic_launcher.png".
Alternatively you could remove the icon definition from the "todo_row.xml" layout definition file which you will create in the next step.
Create the "todo_row.xml" layout file in the folder "res/layout".
<?xml version="1.0" encoding="utf-8"?> <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="fill_parent" android:layout_height="wrap_content" > <ImageView android:id="@+id/icon" android:layout_width="30dp" android:layout_height="24dp" android:layout_marginLeft="4dp" android:layout_marginRight="8dp" android:layout_marginTop="8dp" android:src="@drawable/reminder" > </ImageView> <TextView android:id="@+id/label" android:layout_width="fill_parent" android:layout_height="wrap_content" android:layout_marginTop="6dp" android:lines="1" android:text="@+id/TextView01" android:textSize="24dp" > </TextView> </LinearLayout>Create the
todo_list.xml
layout file.
This layout defines how the list looks like.
<?xml version="1.0" encoding="utf-8"?> <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="fill_parent" android:layout_height="fill_parent" android:orientation="vertical" > <ListView android:id="@android:id/list" android:layout_width="fill_parent" android:layout_height="wrap_content" > </ListView> <TextView android:id="@android:id/empty" android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="@string/no_todos" /> </LinearLayout>Create the
todo_edit.xml
layout file.
This layout will be used to display and edit an individual todo item
in the TodoDetailActivity
Activity
.
<?xml version="1.0" encoding="utf-8"?> <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="fill_parent" android:layout_height="fill_parent" android:orientation="vertical" > <Spinner android:id="@+id/category" android:layout_width="wrap_content" android:layout_height="wrap_content" android:entries="@array/priorities" > </Spinner> <LinearLayout android:id="@+id/LinearLayout01" android:layout_width="fill_parent" android:layout_height="wrap_content" > <EditText android:id="@+id/todo_edit_summary" android:layout_width="wrap_content" android:layout_height="wrap_content" android:layout_weight="1" android:hint="@string/todo_edit_summary" android:imeOptions="actionNext" > </EditText> </LinearLayout> <EditText android:id="@+id/todo_edit_description" android:layout_width="fill_parent" android:layout_height="fill_parent" android:layout_weight="1" android:gravity="top" android:hint="@string/todo_edit_description" android:imeOptions="actionNext" > </EditText> <Button android:id="@+id/todo_edit_button" android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="@string/todo_edit_confirm" > </Button> </LinearLayout>
Activities
Change the coding of your activities to the following. FirstTodosOverviewActivity.java
.
package de.vogella.android.todos; import android.app.ListActivity; import android.app.LoaderManager; import android.content.CursorLoader; import android.content.Intent; import android.content.Loader; import android.database.Cursor; import android.net.Uri; import android.os.Bundle; import android.view.ContextMenu; import android.view.ContextMenu.ContextMenuInfo; import android.view.Menu; import android.view.MenuInflater; import android.view.MenuItem; import android.view.View; import android.widget.AdapterView.AdapterContextMenuInfo; import android.widget.ListView; import android.widget.SimpleCursorAdapter; import de.vogella.android.todos.contentprovider.MyTodoContentProvider; import de.vogella.android.todos.database.TodoTable; /* * TodosOverviewActivity displays the existing todo items * in a list * * You can create new ones via the ActionBar entry "Insert" * You can delete existing ones via a long press on the item */ public class TodosOverviewActivity extends ListActivity implements LoaderManager.LoaderCallbacks<Cursor> { private static final int ACTIVITY_CREATE = 0; private static final int ACTIVITY_EDIT = 1; private static final int DELETE_ID = Menu.FIRST + 1; // private Cursor cursor; private SimpleCursorAdapter adapter; /** Called when the activity is first created. */ @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.todo_list); this.getListView().setDividerHeight(2); fillData(); registerForContextMenu(getListView()); } // Create the menu based on the XML defintion @Override public boolean onCreateOptionsMenu(Menu menu) { MenuInflater inflater = getMenuInflater(); inflater.inflate(R.menu.listmenu, menu); return true; } // Reaction to the menu selection @Override public boolean onOptionsItemSelected(MenuItem item) { switch (item.getItemId()) { case R.id.insert: createTodo(); return true; } return super.onOptionsItemSelected(item); } @Override public boolean onContextItemSelected(MenuItem item) { switch (item.getItemId()) { case DELETE_ID: AdapterContextMenuInfo info = (AdapterContextMenuInfo) item .getMenuInfo(); Uri uri = Uri.parse(MyTodoContentProvider.CONTENT_URI + "/" + info.id); getContentResolver().delete(uri, null, null); fillData(); return true; } return super.onContextItemSelected(item); } private void createTodo() { Intent i = new Intent(this, TodoDetailActivity.class); startActivityForResult(i, ACTIVITY_CREATE); } // Opens the second activity if an entry is clicked @Override protected void onListItemClick(ListView l, View v, int position, long id) { super.onListItemClick(l, v, position, id); Intent i = new Intent(this, TodoDetailActivity.class); Uri todoUri = Uri.parse(MyTodoContentProvider.CONTENT_URI + "/" + id); i.putExtra(MyTodoContentProvider.CONTENT_ITEM_TYPE, todoUri); // Activity returns an result if called with startActivityForResult startActivityForResult(i, ACTIVITY_EDIT); } // Called with the result of the other activity // requestCode was the origin request code send to the activity // resultCode is the return code, 0 is everything is ok // intend can be used to get data @Override protected void onActivityResult(int requestCode, int resultCode, Intent intent) { super.onActivityResult(requestCode, resultCode, intent); } private void fillData() { // Fields from the database (projection) // Must include the _id column for the adapter to work String[] from = new String[] { TodoTable.COLUMN_SUMMARY }; // Fields on the UI to which we map int[] to = new int[] { R.id.label }; getLoaderManager().initLoader(0, null, this); adapter = new SimpleCursorAdapter(this, R.layout.todo_row, null, from, to, 0); setListAdapter(adapter); } @Override public void onCreateContextMenu(ContextMenu menu, View v, ContextMenuInfo menuInfo) { super.onCreateContextMenu(menu, v, menuInfo); menu.add(0, DELETE_ID, 0, R.string.menu_delete); } // Creates a new loader after the initLoader () call @Override public Loader<Cursor> onCreateLoader(int id, Bundle args) { String[] projection = { TodoTable.COLUMN_ID, TodoTable.COLUMN_SUMMARY }; CursorLoader cursorLoader = new CursorLoader(this, MyTodoContentProvider.CONTENT_URI, projection, null, null, null); return cursorLoader; } @Override public void onLoadFinished(Loader<Cursor> loader, Cursor data) { adapter.swapCursor(data); } @Override public void onLoaderReset(Loader<Cursor> loader) { // data is not available anymore, delete reference adapter.swapCursor(null); } }And
TodoDetailActivity.java
package de.vogella.android.todos; import android.app.Activity; import android.content.ContentValues; import android.database.Cursor; import android.net.Uri; import android.os.Bundle; import android.text.TextUtils; import android.view.View; import android.widget.Button; import android.widget.EditText; import android.widget.Spinner; import android.widget.Toast; import de.vogella.android.todos.contentprovider.MyTodoContentProvider; import de.vogella.android.todos.database.TodoTable; /* * TodoDetailActivity allows to enter a new todo item * or to change an existing */ public class TodoDetailActivity extends Activity { private Spinner mCategory; private EditText mTitleText; private EditText mBodyText; private Uri todoUri; @Override protected void onCreate(Bundle bundle) { super.onCreate(bundle); setContentView(R.layout.todo_edit); mCategory = (Spinner) findViewById(R.id.category); mTitleText = (EditText) findViewById(R.id.todo_edit_summary); mBodyText = (EditText) findViewById(R.id.todo_edit_description); Button confirmButton = (Button) findViewById(R.id.todo_edit_button); Bundle extras = getIntent().getExtras(); // Check from the saved Instance todoUri = (bundle == null) ? null : (Uri) bundle .getParcelable(MyTodoContentProvider.CONTENT_ITEM_TYPE); // Or passed from the other activity if (extras != null) { todoUri = extras .getParcelable(MyTodoContentProvider.CONTENT_ITEM_TYPE); fillData(todoUri); } confirmButton.setOnClickListener(new View.OnClickListener() { public void onClick(View view) { if (TextUtils.isEmpty(mTitleText.getText().toString())) { makeToast(); } else { setResult(RESULT_OK); finish(); } } }); } private void fillData(Uri uri) { String[] projection = { TodoTable.COLUMN_SUMMARY, TodoTable.COLUMN_DESCRIPTION, TodoTable.COLUMN_CATEGORY }; Cursor cursor = getContentResolver().query(uri, projection, null, null, null); if (cursor != null) { cursor.moveToFirst(); String category = cursor.getString(cursor .getColumnIndexOrThrow(TodoTable.COLUMN_CATEGORY)); for (int i = 0; i < mCategory.getCount(); i++) { String s = (String) mCategory.getItemAtPosition(i); if (s.equalsIgnoreCase(category)) { mCategory.setSelection(i); } } mTitleText.setText(cursor.getString(cursor .getColumnIndexOrThrow(TodoTable.COLUMN_SUMMARY))); mBodyText.setText(cursor.getString(cursor .getColumnIndexOrThrow(TodoTable.COLUMN_DESCRIPTION))); // Always close the cursor cursor.close(); } } protected void onSaveInstanceState(Bundle outState) { super.onSaveInstanceState(outState); saveState(); outState.putParcelable(MyTodoContentProvider.CONTENT_ITEM_TYPE, todoUri); } @Override protected void onPause() { super.onPause(); saveState(); } private void saveState() { String category = (String) mCategory.getSelectedItem(); String summary = mTitleText.getText().toString(); String description = mBodyText.getText().toString(); // Only save if either summary or description // is available if (description.length() == 0 && summary.length() == 0) { return; } ContentValues values = new ContentValues(); values.put(TodoTable.COLUMN_CATEGORY, category); values.put(TodoTable.COLUMN_SUMMARY, summary); values.put(TodoTable.COLUMN_DESCRIPTION, description); if (todoUri == null) { // New todo todoUri = getContentResolver().insert( MyTodoContentProvider.CONTENT_URI, values); } else { // Update todo getContentResolver().update(todoUri, values, null, null); } } private void makeToast() { Toast.makeText(TodoDetailActivity.this, "Please maintain a summary", Toast.LENGTH_LONG).show(); } }The resulting
AndroidManifest.xml
looks
like the following.
<?xml version="1.0" encoding="utf-8"?> <manifest xmlns:android="http://schemas.android.com/apk/res/android" package="de.vogella.android.todos" android:versionCode="1" android:versionName="1.0" > <uses-sdk android:minSdkVersion="15" /> <application android:icon="@drawable/icon" android:label="@string/app_name" > <activity android:name=".TodosOverviewActivity" android:label="@string/app_name" > <intent-filter> <action android:name="android.intent.action.MAIN" /> <category android:name="android.intent.category.LAUNCHER" /> </intent-filter> </activity> <activity android:name=".TodoDetailActivity" android:windowSoftInputMode="stateVisible|adjustResize" > </activity> <provider android:name=".contentprovider.MyTodoContentProvider" android:authorities="de.vogella.android.todos.contentprovider" > </provider> </application> </manifest>Please note that android:windowSoftInputMode="stateVisible|adjustResize" is defined for the
TodoDetailActivity
. This
makes the keyboard harmonize better with the widgets, but it is not
required for this tutorial.
8.8. Start your application
Start your application. You should be able to enter a new todo item via the "Insert" button in the ActionBar.An existing todo item can be deleted on the list via a long press.
No comments:
Post a Comment