结构
1:拿到前一个AC中返回的数据
2:查询系统联系人。数据库的查询操作
1:在当前AC拿到前一个AC的数据
1:在当前发Intent打开第二个AC时候,应该写startActivityForResult
Intent intent = new Intent(getApplicationContext(), Select_number_Activity.class);
//第二个参数是状态码,必须和发送数据的AC状态码相同
startActivityForResult(intent, 0);
2:在第二个AC拿到数据后,发Intent将数据传入第一个AC
Intent intent= new Intent();
ntent.putExtra("phone",phone);
//将数据通过Intent 传递到原来的那个AC里面
setResult(0,intent);
3:在原来的AC中通过onActivityResult拿到数据
protected void onActivityResult(int requestCode, int resultCode, Intent data) {
super.onActivityResult(requestCode, resultCode, data);
//一定要容错处理,不然点返回键 不会带数据过来,就会有空指针
if (data!=null){
String phone = data.getStringExtra("phone");
//过滤字符 将空划线去掉
phone.replace("-","").replace(" ","");
//设置到ET上面去
et_phone_number.setText(phone.trim());
//存储联系人到SP中,以便回显
SpUtil.PutString(getApplicationContext(), FianlMath.CONTACT_MAN,phone);
}
}
2:查询系统联系人。数据库的查询操作
//查询是个耗时操作,需要放到子线程中间去
new Thread() {
@Override
public void run() {
super.run();
contact.clear();
//这里要查询联系人表(注意权限)
//1:获取内容解析器
ContentResolver contentResolver = getContentResolver();
//2:查询联系人数据表
//query 这个方法接5个参数 , 第一个是查询的表的地址和表名。第二个是查询的字段名。
// 第三个是查询条件(这里要用占位符比如 "A=?" "?"在第四个参数里卖弄写值),第四个查询条件的值,第五个为排序方式
Cursor cursor = contentResolver.query(Uri.parse("content://com.android.contacts/raw_contacts"),
new String[]{"contact_id"},
null, null, null);
while (cursor.moveToNext()) {
//3:这个是拿到查询的数据, cursor.getString(0); 这个方法里面传的是 .query 第二个参数数组的下标
String id = cursor.getString(0);
//4:根据用户唯一性id值,查询data表和mimetype表生成的视图,获取data以及mimetype字段
Cursor indexCuroe = contentResolver.query(Uri.parse("content://com.android.contacts/data"),
new String[]{"data1", "mimetype"},
"raw_contact_id = ?",
new String[]{id},
null);
HashMap<String, String> hashMap = new HashMap<String, String>();
while (indexCuroe.moveToNext()) {
String data = indexCuroe.getString(0);
String type = indexCuroe.getString(1);
if (type.equals("vnd.android.cursor.item/phone_v2")) {
//说明是电话号码
if (!TextUtils.isEmpty(data)) {
hashMap.put("phone", data);
}
} else if (type.equals("vnd.android.cursor.item/name")){
//说明是名字
if (!TextUtils.isEmpty(data)) {
hashMap.put("name", data);
}
}
}
indexCuroe.close();
contact.add(hashMap);
}
//子线程中部能更新UI,需要用到消息队列
mHandler.sendEmptyMessage(0);
cursor.close();//游标不用要记得关掉
};
}.start();
3: