Android 使用ContentProvider(内容提供者)查询手机联系

     在开发应用程序过程中有时候会关联到用户的手机联系人,在Android的为开发者提供了ContentProvider内容提供者来获取手机的联系人,首先我在模拟器中保存了两个联系人如下所示:

lisi:电话:1201
zhangsan:电话:1110
通过Eclipse导出电话本的数据库使用SQLite EXpert打开得到数据库,可以看到里面有很多表格。

Android 使用ContentProvider(内容提供者)查询手机联系_第1张图片

在这些表格中保存联系认的表格是raw_contact和data表格,分别打开这两个表格,可以看到,保存在手机里面的两个联系人

Android 使用ContentProvider(内容提供者)查询手机联系_第2张图片

所以只需要在程序中查找这两张表就可以获得联系人的姓名了电话。

在程序中:

1、首先得到ContentProvider提供的内容提供器

2、获得需要查询的表的URI

// 1 得到一个内容解析器
		ContentResolver resolver = getContentResolver();
		// 2 获得要查询的表的uri
		// 只需要这两张表
		Uri uri = Uri.parse("content://com.android.contacts/raw_contacts");
		Uri dataUri = Uri.parse("content://com.android.contacts/data
查询raw_contacts表格中联系人的contact_id

Cursor cursor = resolver.query(uri, new String[]{"contact_id"}, null, null, null);
然后再通过得到的contact_id查询data表格中的data1和mimetype的信息,
			while (cursor.moveToNext()) {
		
			String contact_id = cursor.getString(0);
			if (contact_id != null) {
				Cursor dataCursor = resolver.query(dataUri, new String[]{"data1","mimetype"}, "contact_id=?", new String[]{contact_id}, null);
				while(dataCursor.moveToNext()){
					String data1 = dataCursor.getString(0);
					String mimetype = dataCursor.getString(1);
					System.out.println("data1----" + data1 + "---mimetype---" + mimetype);
打印出得到的 data1和mimetype信息,

data1----1110---mimetype---vnd.android.cursor.item/phone_v2

data1----Zhangsan---mimetype---vnd.android.cursor.item/name

data1----1 201---mimetype---vnd.android.cursor.item/phone_v2
data1----Lisi---mimetype---vnd.android.cursor.item/name
通过上面的信息可知。当mimetype为vnd.android.cursor.item/phone_v2时,data1的值就是电话号码。当mimetype为vnd.android.cursor.item/name时, data1的值就是联系人姓名。并存在map中。

				if ("vnd.android.cursor.item/phone_v2".equals(mimetype)) {
					map.put("phone", data1);
				}else if ("vnd.android.cursor.item/name".equals(mimetype)) {
					map.put("name", data1);
				}

最后将数据显示在Listview中

List> data = getSystemContact();
        SimpleAdapter adapter = new SimpleAdapter(this, data, R.layout.item_contact, 
        		new String[]{"name","phone"}, new int[]{R.id.name,R.id.phone});
        select_contact.setAdapter(adapter);
最后的结果如下图:

Android 使用ContentProvider(内容提供者)查询手机联系_第3张图片
源代码下载:查询联系人




你可能感兴趣的:(android)