13

我有一个返回电话号码格式的 API:+1415xxxxxxx (E164)

现在,这些数字被放入 UITableView 的单元格并按预期显示,但是我希望能够在手机上搜索用户联系人以查看是否匹配 - 如果是的话,还传回名字、姓氏和已知照片。

查看 Apple 页面(https://developer.apple.com/library/watchos/documentation/Contacts/Reference/Contacts_Framework/index.html)我需要

 import ContactsUI

但是我不确定,我是否将contactDB加载到字典中然后搜索它?我可以通过名称搜索找到很多东西,而通过数字搜索则更少:

  let predicate = CNContact.predicateForContactsMatchingName("Sam") 

我试图找到一个我可以调用的函数,它使用 PhoneNumber 搜索并返回 FirstName、FamilyName 和 Image。

  func searchForContactUsingNumber(PhoneNumber: String)
 {

 // Search Via phoneNumber
  let store = CNContactStore()
  let contacts = try store.unifiedContactsMatchingPredicate(CNContact.predicateForContactsMatchingPhoneNumber(PhoneNumber), keysToFetch:[CNContactGivenNameKey, CNContactFamilyNameKey,CNContactImageData])

  return FirstName, GivenName,UIImage

 }

我觉得我要倒退,但不确定哪条路是前进的..有什么想法吗?

4

4 回答 4

13

为了让这个示例快速启动并运行,我使用了以下信息源:

从字符串中过滤非数字

https://stackoverflow.com/a/32700339/558933

http://www.appcoda.com/ios-contacts-framework/

下面的代码块包括授权检查,因为我必须让它工作才能在模拟器中进行测试。该代码只是 Single-View Apps 视图控制器,您可以将UIButtonStoryboard 中的 a 连接到findContactInfoForPhoneNumber:方法以获取是否运行。输出到控制台 - 您需要将这些print语句替换为其他内容。

如果您对完整的视图控制器代码不感兴趣,那么只需查看searchForContactUsingPhoneNumber(phoneNumber: String)方法即可。我已按照 Apple 在文档中的建议CNContact异步运行框架。

该代码去除了电话号码中可能存在的所有+,-(符号,并且仅匹配数字,因此您传递的要匹配的电话号码必须完全相同。

//
//  ViewController.swift
//  ContactsTest
//
//  Created by Robotic Cat on 13/04/2016.
//

import UIKit
import Contacts

class ViewController: UIViewController {

    // MARK: - App Logic
    func showMessage(message: String) {
        // Create an Alert
        let alertController = UIAlertController(title: "Alert", message: message, preferredStyle: UIAlertControllerStyle.Alert)

        // Add an OK button to dismiss
        let dismissAction = UIAlertAction(title: "OK", style: UIAlertActionStyle.Default) { (action) -> Void in
        }
        alertController.addAction(dismissAction)

        // Show the Alert
        self.presentViewController(alertController, animated: true, completion: nil)
    }

    func requestForAccess(completionHandler: (accessGranted: Bool) -> Void) {
        // Get authorization
        let authorizationStatus = CNContactStore.authorizationStatusForEntityType(CNEntityType.Contacts)

        // Find out what access level we have currently
        switch authorizationStatus {
        case .Authorized:
            completionHandler(accessGranted: true)

        case .Denied, .NotDetermined:
            CNContactStore().requestAccessForEntityType(CNEntityType.Contacts, completionHandler: { (access, accessError) -> Void in
                if access {
                    completionHandler(accessGranted: access)
                }
                else {
                    if authorizationStatus == CNAuthorizationStatus.Denied {
                        dispatch_async(dispatch_get_main_queue(), { () -> Void in
                            let message = "\(accessError!.localizedDescription)\n\nPlease allow the app to access your contacts through the Settings."
                            self.showMessage(message)
                        })
                    }
                }
            })

        default:
            completionHandler(accessGranted: false)
        }
    }

    @IBAction func findContactInfoForPhoneNumber(sender: UIButton) {

        self.searchForContactUsingPhoneNumber("(888)555-1212)")
    }

    func searchForContactUsingPhoneNumber(phoneNumber: String) {

        dispatch_async(dispatch_get_global_queue(QOS_CLASS_USER_INTERACTIVE, 0), { () -> Void in
            self.requestForAccess { (accessGranted) -> Void in
                if accessGranted {
                    let keys = [CNContactGivenNameKey, CNContactFamilyNameKey, CNContactImageDataKey, CNContactPhoneNumbersKey]
                    var contacts = [CNContact]()
                    var message: String!

                    let contactsStore = CNContactStore()
                    do {
                        try contactsStore.enumerateContactsWithFetchRequest(CNContactFetchRequest(keysToFetch: keys)) {
                            (contact, cursor) -> Void in
                            if (!contact.phoneNumbers.isEmpty) {
                                let phoneNumberToCompareAgainst = phoneNumber.componentsSeparatedByCharactersInSet(NSCharacterSet.decimalDigitCharacterSet().invertedSet).joinWithSeparator("")
                                for phoneNumber in contact.phoneNumbers {
                                    if let phoneNumberStruct = phoneNumber.value as? CNPhoneNumber {
                                        let phoneNumberString = phoneNumberStruct.stringValue
                                        let phoneNumberToCompare = phoneNumberString.componentsSeparatedByCharactersInSet(NSCharacterSet.decimalDigitCharacterSet().invertedSet).joinWithSeparator("")
                                        if phoneNumberToCompare == phoneNumberToCompareAgainst {
                                            contacts.append(contact)
                                        }
                                    }
                                }
                            }
                        }

                        if contacts.count == 0 {
                            message = "No contacts were found matching the given phone number."
                        }
                    }
                    catch {
                        message = "Unable to fetch contacts."
                    }

                    if message != nil {
                        dispatch_async(dispatch_get_main_queue(), { () -> Void in
                            self.showMessage(message)
                        })
                    }
                    else {
                        // Success
                        dispatch_async(dispatch_get_main_queue(), { () -> Void in
                            // Do someting with the contacts in the main queue, for example
                            /*
                             self.delegate.didFetchContacts(contacts) <= which extracts the required info and puts it in a tableview
                             */
                            print(contacts) // Will print all contact info for each contact (multiple line is, for example, there are multiple phone numbers or email addresses)
                            let contact = contacts[0] // For just the first contact (if two contacts had the same phone number)
                            print(contact.givenName) // Print the "first" name
                            print(contact.familyName) // Print the "last" name
                            if contact.isKeyAvailable(CNContactImageDataKey) {
                                if let contactImageData = contact.imageData {
                                    print(UIImage(data: contactImageData)) // Print the image set on the contact
                                }
                            } else {
                                // No Image available

                            }
                        })
                    }
                }
            }
        })
    }

}
于 2016-04-14T20:12:15.487 回答
2

ContactList 和 ContactUI 框架和自定义表格视图

import UIKit

class ContactCell: UITableViewCell {
    @IBOutlet weak var PersonNameLabel: UILabel!

    @IBOutlet weak var PersonMobileNOLabel: UILabel!

    @IBOutlet weak var PersonImage: UIImageView!

    @IBOutlet weak var PersonEmailLabel: UILabel!
}

联系人视图控制器

import ContactsUI

class ContactViewController: UIViewController,CNContactPickerDelegate,UITableViewDelegate,UITableViewDataSource{
var objects  = [CNContact]() 
@IBOutlet weak var tableView: UITableView! 
override func viewDidLoad() {
    super.viewDidLoad()
  self.getContacts()
}
func getContacts() {
    let store = CNContactStore()

    switch CNContactStore.authorizationStatus(for: .contacts){
    case .authorized:
        self.retrieveContactsWithStore(store: store)

    // This is the method we will create
    case .notDetermined:
        store.requestAccess(for: .contacts){succeeded, err in
            guard err == nil && succeeded else{
                return
            }
            self.retrieveContactsWithStore(store: store)

        }
    default:
        print("Not handled")
    }

}
func retrieveContactsWithStore(store: CNContactStore)
{


 let keysToFetch = [CNContactFormatter.descriptorForRequiredKeys(for: .fullName), CNContactPhoneNumbersKey,CNContactImageDataKey, CNContactEmailAddressesKey] as [Any]
    let request = CNContactFetchRequest(keysToFetch: keysToFetch as! [CNKeyDescriptor])
    var cnContacts = [CNContact]()
    do {
        try store.enumerateContacts(with: request){
            (contact, cursor) -> Void in
            if (!contact.phoneNumbers.isEmpty) {
            }

            if contact.isKeyAvailable(CNContactImageDataKey) {
                if let contactImageData = contact.imageData {
                    print(UIImage(data: contactImageData)) // Print the image set on the contact
                }
            } else {
                // No Image available

            }
            if (!contact.emailAddresses.isEmpty) {
            }
            cnContacts.append(contact)
             self.objects = cnContacts
        }
    } catch let error {
        NSLog("Fetch contact error: \(error)")
    }

    NSLog(">>>> Contact list:")
    for contact in cnContacts {
        let fullName = CNContactFormatter.string(from: contact, style: .fullName) ?? "No Name"
        NSLog("\(fullName): \(contact.phoneNumbers.description)")
    }
   self.tableView.reloadData()   
    }

    func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
    return self.objects.count
}
  func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
    let cell = tableView.dequeueReusableCell(withIdentifier: "Cell", for: indexPath as IndexPath) as! ContactCell  
    let contact = self.objects[indexPath.row]
print("theis my contact arrau \(self.objects.count)")
    let formatter = CNContactFormatter()  
    cell.PersonNameLabel.text = formatter.string(from: contact )
if let actualNumber = contact.phoneNumbers.first?.value as? CNPhoneNumber {
    //Get the label of the phone number

    //Strip out the stuff you don't need
    print(actualNumber.stringValue)  
cell.PersonMobileNOLabel.text = actualNumber.stringValue
}
else{
    cell.PersonMobileNOLabel.text = "N.A "
}
if let actualEmail = (contact as AnyObject).emailAddresses?.first?.value as String? {
    print(actualEmail)  
    cell.PersonEmailLabel.text = actualEmail
}
else{
    cell.PersonEmailLabel.text = "N.A "
}
if let imageData = contact.imageData {
    //If so create the image
    let userImage = UIImage(data: imageData)
    cell.PersonImage.image = userImage;
}

else{
    cell.PersonImage.image = UIImage (named: "N.A")
}
    return cell
}
}
于 2017-07-12T09:39:42.020 回答
2

导入 UIKit 导入联系人

类电话簿VC:UIViewController,UITableViewDataSource,UITableViewDelegate {

@IBOutlet weak var ContactTblView: UITableView!
@IBOutlet weak var SearchTxtField: SkyFloatingLabelTextField!



var contacts = [CNContact]()
var NameArray = [String]()
var NumberArray = [String]()

var filteredName = [String]()
var filteredNumber = [String]()


override func viewDidLoad() {
    super.viewDidLoad()
    getContacts()
    SearchTxtField.delegate = self
    // Do any additional setup after loading the view.
}

@IBAction func SearchFunc(_ sender: UIButton) {

}


func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
    return self.filteredName.count
}

func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
    let cell = ContactTblView.dequeueReusableCell(withIdentifier: "cell") as! PhonebookCell
    cell.ContactName.text = self.filteredName[indexPath.row]
    cell.ContactNumber.text = self.filteredNumber[indexPath.row]
    return cell
}




/*
// MARK: - Navigation

// In a storyboard-based application, you will often want to do a little preparation before navigation
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
    // Get the new view controller using segue.destination.
    // Pass the selected object to the new view controller.
}
*/

}

分机电话簿VC {

func getContacts()
{
    let status = CNContactStore.authorizationStatus(for: .contacts)
    if status == .denied || status == .restricted {
        presentSettingsActionSheet()
        return
    }

    // open it

    let contactStore = CNContactStore()
    contactStore.requestAccess(for: .contacts) { granted, error in
        guard granted else {
            DispatchQueue.main.async {
                self.presentSettingsActionSheet()
            }
            return
        }

        // get the contacts
        let keys = [
            CNContactFormatter.descriptorForRequiredKeys(for: .fullName),
            CNContactPhoneNumbersKey as CNKeyDescriptor] as [Any]
        let request = CNContactFetchRequest(keysToFetch: keys as! [CNKeyDescriptor])
        do {
            try contactStore.enumerateContacts(with: request){
                (contact, stop) in
                // Array containing all unified contacts from everywhere
                self.contacts.append(contact)
                var i = 0
                for phoneNumber in contact.phoneNumbers {

                        print("\(contact.givenName) \(contact.familyName)\n \(phoneNumber.value.stringValue)")

                        self.NameArray.append("\(contact.givenName) \(contact.familyName)")
                        self.NumberArray.append(phoneNumber.value.stringValue)
                        i = i+1

                }
                i = 0

                self.filteredName   = self.NameArray
                self.filteredNumber = self.NumberArray

                self.ContactTblView.reloadData()
            }
        } catch {
            print("unable to fetch contacts")
        }
    }
}

func presentSettingsActionSheet() {
    let alert = UIAlertController(title: "Permission to Contacts", message: "This app needs access to contacts in order to Send top-up.", preferredStyle: .actionSheet)
    alert.addAction(UIAlertAction(title: "Go to Settings", style: .default) { _ in
        let url = URL(string: UIApplication.openSettingsURLString)!
        UIApplication.shared.open(url)
    })
    alert.addAction(UIAlertAction(title: "Cancel", style: .cancel))
    present(alert, animated: true)
}

}

extension PhonebookVC : UITextFieldDelegate { func textField(_ textField: UITextField, shouldChangeCharactersIn range: NSRange, replacementString string: String) -> Bool { self.filteredName.removeAll() self.filteredNumber.removeAll()

    if(self.NameArray.count != 0){


        var mystring = "\(textField.text ?? "")\(string)"
        if(textField.text?.count == 1 && string == ""){

            mystring = ""
        }
        var i = 0
        for ContactName in self.NameArray {
            let name = ContactName
            let range = name.lowercased().range(of: mystring, options: .caseInsensitive, range: nil,   locale: nil)

            if range != nil {
                if(filteredName.count == 0){

                    filteredName = [ContactName]
                    filteredNumber = [NumberArray[i]]

                }else{

                    filteredName.append(ContactName)
                    filteredNumber.append(NumberArray[i])
                }

            }
            i = i+1
        }

        if(string == "" && (textField.text?.count == 1)){

            self.filteredName   = self.NameArray
            self.filteredNumber = self.NumberArray

        }

        self.ContactTblView.reloadData()
    }
    return true
}

}

于 2019-06-21T07:45:13.073 回答
0

正确的方法是在您自己的数据库中索引电话号码,以便查找联系人标识符。

于 2017-10-19T18:52:14.447 回答