我一直在寻找一种在我的一个应用程序中执行此操作的方法,但 MKLocalSearchCompletion 似乎并不是解决此问题的理想工具。使用 Google 的 Map API 或仅使用城市名称的本地数据库可能会更简单。
iOS 原生框架中的另一个选项是使用相关的 MKLocalSearchRequest 并提取最接近城市/城镇的“locality”字段。这篇文章提供了有关沿着这条路线走的更多信息:
如何从 MKLocalSearchCompletion 中提取国家和城市?
话虽如此,我确实只使用 MKLocalSearchCompletion 取得了一些进展,方法是解析返回结果中的 title 属性以检查“逗号”字符。逗号的存在表示直到第一个逗号的整个字符串是城镇、城市或州。下面的简单示例采用文本字段输入并仅在表格视图中返回过滤后的结果。
我必须指出,它似乎适用于美国的城市,因为 MKLocalSearchCompletion 数据库对于该地区来说似乎要完整得多。一些国际城市没有显示,因为结果不遵循此方法使用的相同“逗号”格式。
import UIKit
import MapKit
class ViewController: UIViewController, MKLocalSearchCompleterDelegate, UITableViewDelegate, UITableViewDataSource {
var completer = MKLocalSearchCompleter()
var completionResults: [MKLocalSearchCompletion] = []
var cityResults: [String] = [] {
didSet {
citySearchTable.reloadData()
}
}
@IBOutlet weak var citySearchTable: UITableView!
@IBAction func cityTextChanged(_ sender: UITextField) {
completer.queryFragment = sender.text!
}
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view.
let coordUSA = CLLocationCoordinate2DMake(39.999733,-98.678503);
completer.region = MKCoordinateRegion(center: coordUSA, latitudinalMeters: 1, longitudinalMeters: 1)
completer.delegate = self
citySearchTable.delegate = self
citySearchTable.dataSource = self
}
func completerDidUpdateResults(_ completer: MKLocalSearchCompleter) {
completionResults = completer.results
completionResults = completionResults.filter({ (result) -> Bool in
return result.title != ""
})
if completionResults.count > 0 {
var newResults: [String] = []
for result in completionResults {
if result.title.contains(",") {
let splitByComma = result.title.components(separatedBy: ",")
if splitByComma.count > 0 {
if !newResults.contains(splitByComma[0]) {
newResults.append(splitByComma[0])
}
}
}
}
if newResults.count > 0 {
cityResults = newResults
}
}
}
func completer(_ completer: MKLocalSearchCompleter, didFailWithError error: Error) {
//
}
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return cityResults.count
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = citySearchTable.dequeueReusableCell(withIdentifier: "cell")!
cell.textLabel?.text = cityResults[indexPath.row]
cell.textLabel?.adjustsFontSizeToFitWidth = true
return cell
}
}
我知道这篇文章已经有几年的历史了,但是它确实出现在我最近的研究中,并且与我目前的工作相关,所以我想我会发布我想出的东西。