-1

当我尝试在注释中添加按钮时出现问题。

在我问这个问题之前,我已经在以下页面上搜索了答案: 如何向 MKPointAnnotation 添加按钮?添加一个按钮到MKPointAnnotation? 等等,但都帮不了我。

这是试图做的事情:

var annotation1 = MKPointAnnotation()
annotation1.setCoordinate(locationKamer1)
annotation1.title = "Title1"
annotation1.subtitle = "Subtitle1"
// here i want to add a button which has a segue to another page.
mapView.addAnnotation(annotation1)

不知道我尝试做的是否行不通。我是第一次尝试 swift。

希望可以有人帮帮我 :)

提前致谢!

4

1 回答 1

3

您的第一个链接中的答案基本上是正确的,尽管它需要针对 Swift 2 进行更新。

最重要的是,在回答您的问题时,您在创建注释时不会添加按钮。当您在 中创建其注释视图时,您将创建该按钮viewForAnnotation

所以,你应该:

  1. 将视图控制器设置为地图视图的委托。

  2. 使视图控制器符合地图视图委托协议,例如:

    class ViewController: UIViewController, MKMapViewDelegate { ... }
    
  3. control通过从带有地图视图的场景上方的视图控制器图标拖动到下一个场景,将视图控制器(不是按钮)的 segue 添加到下一个场景:

    在此处输入图像描述

    然后选择那个 segue,然后给它一个故事板标识符(在我的示例中为“NextScene”,尽管您应该使用更具描述性的名称):

    在此处输入图像描述

  4. 实现viewForAnnotation将按钮添加为右附件。

    func mapView(mapView: MKMapView, viewForAnnotation annotation: MKAnnotation) -> MKAnnotationView? {
        var view = mapView.dequeueReusableAnnotationViewWithIdentifier(annotationIdentifier)
        if view == nil {
            view = MKPinAnnotationView(annotation: annotation, reuseIdentifier: annotationIdentifier)
            view?.canShowCallout = true
            view?.rightCalloutAccessoryView = UIButton(type: .DetailDisclosure)
        } else {
            view?.annotation = annotation 
        }
        return view
    }
    
  5. 实现calloutAccessoryControlTappedwhich (a) 捕获哪个注解被点击;(b) 启动 segue:

    var selectedAnnotation: MKPointAnnotation!
    
    func mapView(mapView: MKMapView, annotationView view: MKAnnotationView, calloutAccessoryControlTapped control: UIControl) {
        if control == view.rightCalloutAccessoryView {
            selectedAnnotation = view.annotation as? MKPointAnnotation
            performSegueWithIdentifier("NextScene", sender: self)
        }
    }
    
  6. 实现prepareForSegue将传递必要信息的 a (假设您想要传递注释,因此annotation在第二个视图控制器中有一个属性)。

    override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject?) {
        if let destination = segue.destinationViewController as? SecondViewController {
            destination.annotation = selectedAnnotation
        }
    }
    
  7. 现在您可以像以前一样创建注释:

    let annotation = MKPointAnnotation()
    annotation.coordinate = coordinate
    annotation.title = "Title1"
    annotation.subtitle = "Subtitle1"
    mapView.addAnnotation(annotation)
    
于 2015-10-16T15:52:33.213 回答