You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
5MI/Contact.java

90 lines
4.2 KiB

This file contains ambiguous Unicode characters!

This file contains ambiguous Unicode characters that may be confused with others in your current locale. If your use case is intentional and legitimate, you can safely ignore this warning. Use the Escape button to highlight these characters.

/*
* Copyright (c) 2010-2011, The MiCode Open Source Community (www.micode.net)
*
* 许可协议本文件遵循Apache License 2.0版(以下简称“许可协议”)发布。
* 您只能在遵守许可协议的前提下使用本文件。
* 您可以在以下网址获取许可协议的副本:
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* 除非适用法律要求或书面协议另有约定,根据许可协议发布的软件
* 将在“按现状”的基础上分发,
* 不提供任何明示或暗示的担保或条件。
* 有关许可协议下权限和限制的具体条款,请参阅许可协议。
*/
package net.micode.notes.data;
// 导入所需的Android类和Java类
import android.content.Context; // Android上下文类用于访问应用的环境信息
import android.database.Cursor; // 数据库查询结果的游标类
import android.provider.ContactsContract.CommonDataKinds.Phone; // 联系人数据库中的电话号码表
import android.provider.ContactsContract.Data; // 联系人数据库中的通用数据表
import android.telephony.PhoneNumberUtils; // 电话号码工具类
import android.util.Log; // 日志工具类
import java.util.HashMap; // 哈希映射表,用于存储键值对
// Contact类用于处理联系人数据
public class Contact {
// 静态HashMap用于缓存电话号码和联系人姓名的映射关系
private static HashMap<String, String> sContactCache;
// 日志标签,用于标识日志信息
private static final String TAG = "Contact";
// 用于查询联系人数据库时使用的SQL条件字符串
// 该条件用于匹配电话号码和联系人ID并确保查询的是电话号码类型的数据
private static final String CALLER_ID_SELECTION = "PHONE_NUMBERS_EQUAL(" + Phone.NUMBER
+ ",?) AND " + Data.MIMETYPE + "='" + Phone.CONTENT_ITEM_TYPE + "'"
+ " AND " + Data.RAW_CONTACT_ID + " IN "
+ "(SELECT raw_contact_id "
+ " FROM phone_lookup"
+ " WHERE min_match = '+')";
// 静态方法,根据电话号码获取联系人姓名
public static String getContact(Context context, String phoneNumber) {
// 如果缓存为空,则初始化缓存
if(sContactCache == null) {
sContactCache = new HashMap<String, String>();
}
// 如果缓存中已包含该电话号码对应的联系人姓名,则直接返回
if(sContactCache.containsKey(phoneNumber)) {
return sContactCache.get(phoneNumber);
}
// 将SQL条件字符串中的“+”替换为电话号码的最小匹配字符串
String selection = CALLER_ID_SELECTION.replace("+",
PhoneNumberUtils.toCallerIDMinMatch(phoneNumber));
// 使用ContentResolver查询联系人数据库
Cursor cursor = context.getContentResolver().query(
Data.CONTENT_URI, // 查询的目标URI
new String [] { Phone.DISPLAY_NAME }, // 需要查询的列,这里是联系人姓名
selection, // 查询条件
new String[] { phoneNumber }, // 查询条件的参数,这里是电话号码
null); // 查询结果的排序规则,这里为空表示不排序
// 如果查询结果不为空且游标指向第一条记录
if (cursor != null && cursor.moveToFirst()) {
try {
// 从游标中获取联系人姓名
String name = cursor.getString(0);
// 将电话号码和联系人姓名存入缓存
sContactCache.put(phoneNumber, name);
// 返回联系人姓名
return name;
} catch (IndexOutOfBoundsException e) {
// 如果获取联系人姓名时发生索引越界异常则记录错误日志并返回null
Log.e(TAG, " Cursor get string error " + e.toString());
return null;
} finally {
// 关闭游标
cursor.close();
}
} else {
// 如果没有找到匹配的联系人则记录日志并返回null
Log.d(TAG, "No contact matched with number:" + phoneNumber);
return null;
}
}
}