我试图让标注工作,但这并没有发生,因为我在准备segue时做错了什么。我想知道如何能够将pin注释标注到另一个视图?
答案 0 :(得分:9)
点击标注中的按钮时,转移到另一个场景的过程如下:
将地图视图的delegate
设置为视图控制器。您可以在Interface Builder的“Connections Inspector”中或以编程方式执行此操作。您还希望指定视图控制器符合MKMapViewDelegate
。
创建注释时,请务必同时设置标题:
let annotation = MKPointAnnotation()
annotation.coordinate = coordinate
annotation.title = ...
mapView.addAnnotation(annotation)
使用带有按钮的标注来定义注释视图子类:
class CustomAnnotationView: MKPinAnnotationView { // or nowadays, you might use MKMarkerAnnotationView
override init(annotation: MKAnnotation?, reuseIdentifier: String?) {
super.init(annotation: annotation, reuseIdentifier: reuseIdentifier)
canShowCallout = true
rightCalloutAccessoryView = UIButton(type: .infoLight)
}
required init?(coder aDecoder: NSCoder) {
super.init(coder: aDecoder)
}
}
指示您的MKMapView
使用此注释视图。 iOS 11简化了这个过程,但我将描述如何以两种方式实现:
如果您的最低iOS版本是11(或更高版本),您只需将自定义注释视图注册为默认值即可完成。您通常不会在iOS 11及更高版本中实现mapView(_:viewFor:)
。 (唯一可能实现该方法的方法是,如果您需要注册多个重用标识符,因为您有多种类型的自定义注释类型。)
override func viewDidLoad() {
super.viewDidLoad()
mapView.register(CustomAnnotationView.self, forAnnotationViewWithReuseIdentifier: MKMapViewDefaultAnnotationViewReuseIdentifier)
}
如果您需要支持11之前的iOS版本,则应确保将视图控制器指定为MKMapView
的代理,然后实施mapView(_:viewFor:)
:
extension ViewController: MKMapViewDelegate {
func mapView(_ mapView: MKMapView, viewFor annotation: MKAnnotation) -> MKAnnotationView? {
if annotation is MKUserLocation { return nil }
let reuseIdentifier = "..."
var annotationView = mapView.dequeueReusableAnnotationView(withIdentifier: reuseIdentifier)
if annotationView == nil {
annotationView = CustomAnnotationView(annotation: annotation, reuseIdentifier: reuseIdentifier)
} else {
annotationView?.annotation = annotation
}
return annotationView
}
}
例如,使用右侧的.infoLight
按钮产生类似于以下内容的标注:
实施calloutAccessoryControlTapped
以编程方式执行segue:
func mapView(_ mapView: MKMapView, annotationView view: MKAnnotationView, calloutAccessoryControlTapped control: UIControl) {
performSegue(withIdentifier: "SegueToSecondViewController", sender: view)
}
显然,这假设你已经在两个视图控制器之间定义了一个segue。
当您离开时,将必要的信息传递到目标场景。例如,您可以传递对注释的引用:
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
if let destination = segue.destination as? SecondViewController,
let annotationView = sender as? MKPinAnnotationView {
destination.annotation = annotationView.annotation as? MKPointAnnotation
}
}
有关详细信息,请参阅位置和地图编程指南中的Creating Callouts。
对于上面的Swift 2实现,请参阅previous revision of this answer。