0

我正在使用如下所示的联系人选择器来获取联系人的 ID。

public void pickContact() {
    Intent intent = new Intent(Intent.ACTION_PICK, Contacts.CONTENT_URI);
    intent.setType(Phone.CONTENT_TYPE); // Show user only contacts w/ phone numbers
    startActivityForResult(intent, PICK_CONTACT_REQUEST);
}

然后我使用这个从上面返回的uri中检索联系人ID。并将其存储为参考。

public static long getContactIdByUri(Context context, Uri uri)
{
    Log.d(TAG, uri.toString());
    String[] projection = { Contacts._ID };
    Cursor cursor = context.getContentResolver().query(uri, projection, null, null, null);
    try
    {
        cursor.moveToFirst();
        int idx = cursor.getColumnIndex(Contacts._ID);
        long id = -1;

        if(idx != -1)
        {
            id = cursor.getLong(idx);
        }
        return id;
    }
    finally
    {
        cursor.close();
    }
}

稍后,当短信到达时,我获取电话号码,并基于此尝试使用以下内容查找联系人 ID。

public static long getContactIdByPhoneNumber(Context context, String phoneNumber) {
    ContentResolver contentResolver = context.getContentResolver();
    Uri uri = Uri.withAppendedPath(PhoneLookup.CONTENT_FILTER_URI, Uri.encode(phoneNumber));
    String[] projection = new String[] { PhoneLookup._ID };
    Cursor cursor = contentResolver.query(uri, projection, null, null, null);
    if (cursor == null) {
        return -1;
    }
    int idx = cursor.getColumnIndex(PhoneLookup._ID);
    long id = -1;
    if(cursor.moveToFirst()) {
        id = cursor.getLong(idx);
    }
    if(cursor != null && !cursor.isClosed()) {
        cursor.close();
    }
    return id;
}

问题是这两个id不匹配!

所以基本上问题是如何从联系人选择器中获取一个 ID,当使用 PhoneLookup.CONTENT_FILTER_URI 查找电话号码时我可以匹配该 ID。我还可以使用哪个来获取有关联系人的其他信息?

4

1 回答 1

0

从联系人选择器返回的 url 是指与 ContactsContract.RawContacts 连接的 ContactsContract.Data 提供程序,该提供程序再次包含 CONTACT_ID。

因此,使用下面的方法提取实际的联系人 ID 很简单。

   public static long getContactIdByDataUri(Context context, Uri uri)
   {
          String[] projection = new String[] { Data.CONTACT_ID };
          Cursor cursor = context.getContentResolver().query(uri, projection, null, null, null);
          long id = -1;
          if(cursor.moveToFirst()) {
                 id = cursor.getLong(0);
          }
          return id;
   }
于 2013-10-26T10:44:12.373 回答