Android ContentResolver 是一個用于訪問和操作其他應用程序數據的接口。它允許你在你的應用程序中查詢、插入、更新和刪除數據,而無需了解其他應用程序的數據存儲細節。以下是如何使用 ContentResolver 訪問數據的基本步驟:
getContentResolver()
方法獲取 ContentResolver 對象。這個方法通常是由系統自動提供的。ContentResolver contentResolver = getContext().getContentResolver();
<provider
android:name=".MyContentProvider"
android:authorities="com.example.myapp.provider" />
在這個例子中,內容提供者的 authority 是 “com.example.myapp.provider”。
query()
方法執行查詢。你需要提供一個 URI、一個投影(要返回的列)、一個選擇條件(如果需要)和一個可選的排序順序。Uri uri = Uri.parse("content://com.example.myapp.provider/mytable");
String[] projection = {"_id", "title", "description"};
String selection = "title = ?";
String[] selectionArgs = {"Example Title"};
String sortOrder = "title ASC";
Cursor cursor = contentResolver.query(uri, projection, selection, selectionArgs, sortOrder);
query()
方法返回一個 Cursor 對象,它包含了查詢結果。你可以遍歷這個 Cursor 對象,獲取每一行數據并將其轉換為相應的數據類型。if (cursor != null) {
while (cursor.moveToNext()) {
int id = cursor.getInt(cursor.getColumnIndex("_id"));
String title = cursor.getString(cursor.getColumnIndex("title"));
String description = cursor.getString(cursor.getColumnIndex("description"));
// 處理查詢結果,例如將數據添加到列表中
}
cursor.close();
}
insert()
、update()
和 delete()
方法來插入、更新和刪除數據。這些方法的工作方式與 query()
類似,但它們分別返回插入數據的 ID(對于 insert()
)、受影響的行數(對于 update()
)和刪除的行數(對于 delete()
)。// 插入數據
Uri insertUri = Uri.parse("content://com.example.myapp.provider/mytable");
ContentValues contentValues = new ContentValues();
contentValues.put("title", "New Title");
contentValues.put("description", "New Description");
long insertedId = contentResolver.insert(insertUri, contentValues);
// 更新數據
String selection = "_id = ?";
String[] selectionArgs = {String.valueOf(insertedId)};
ContentValues updatedValues = new ContentValues();
updatedValues.put("title", "Updated Title");
int updatedRows = contentResolver.update(insertUri, updatedValues, selection, selectionArgs);
// 刪除數據
int deletedRows = contentResolver.delete(insertUri, selection, selectionArgs);
注意:在使用 ContentResolver 時,請確保你遵循了應用程序之間的數據共享策略,并尊重其他應用程序的數據隱私。