1

我正在创建一个带有详细信息披露按钮的 MKAnnotationView。

在 mapView: viewForAnnotation: 我只是创建了一个占位符按钮。

//  the right accessory view needs to be a disclosure button ready to bring up the photo
aView.rightCalloutAccessoryView = [UIButton buttonWithType:UIButtonTypeDetailDisclosure];

在mapView:didSelectAnnotationView:我实际上创建了一个要使用的按钮(带有相关标签)

//  create a button for the callout
UIButton *disclosure                = [self.delegate mapController:self buttonForAnnotation:aView.annotation];

NSLog(@"DisclosureButton: %@", disclosure);

//  set the button's target for when it is tapped upon
[disclosure addTarget:self.delegate action:@selector(presentAnnotationPhoto:) forControlEvents:UIControlEventTouchUpInside];

//  make the button the right callout accessory view
aView.rightCalloutAccessoryView = disclosure;

在日志中,该按钮似乎已完全实例化并设置了正确的标签。

这是按钮创建者:

/**
 *  returns an button for a specific annotation
 *
 *  @param  sender              the map controller which is sending this method to us (its' delegate)
 *  @param  annotation          the annotation we need to create a button for
 */
- (UIButton *)mapController:(MapController *)   sender
        buttonForAnnotation:(id <MKAnnotation>) annotation
{
    //  get the annotation as a flickr photo annotation
    FlickrPhotoAnnotation *fpa  = (FlickrPhotoAnnotation *)annotation;

    //  create a disclosure button used for showing photo in callout
    UIButton *disclosureButton      = [UIButton buttonWithType:UIButtonTypeDetailDisclosure];

    //  associate the correct photo with the button
    disclosureButton.tag            = [self.photoList indexOfObject:fpa.photo];

    return disclosureButton;
}

当我选择注释时,问题就来了。在选择注释并点击详细信息披露按钮的几秒钟内,没有任何反应。然而,在点击并返回注释几次并测试按钮后,它最终按预期工作。

奇怪的延迟是怎么回事?有时当按钮开始工作时,它只是看起来好像 alpha 设置为 0.0,直到您点击它并出现。

严重的是我遇到的更奇怪的问题之一。

4

1 回答 1

2

didSelectAnnotationView调用委托方法之前,地图视图已经根据注释视图的属性准备了标注视图(在您进行更改之前)。

因此,您在第一次点击时看到的标注没有应用程序所做的更改didSelectAnnotationView。在接下来的点击中,标注可以基于上一次点击设置的值(这实际上取决于如何处理注释视图重用viewForAnnotation)。

看起来代码唯一要做的didSelectAnnotationView就是buttonForAnnotation设置按钮操作和标签。

我假设您使用的是“标记”方法,因为该presentAnnotationPhoto:方法需要引用所选注释的属性。

您无需使用标签即可在您的操作方法中获取选定的注释。相反,有几个更好的选择:

  • selectedAnnotations您的自定义操作方法可以从地图视图的属性中获取选定的注释。有关如何执行此操作的示例,请参阅此问题。
  • 使用地图视图自己的委托方法calloutAccessoryControlTapped而不是自定义操作方法。委托方法传递对注解视图的引用,该注解视图包含指向其注解的属性(即。view.annotation),因此无需猜测、搜索或询问选择了哪个注解。我推荐这个选项。

在第一个选项中,执行addTargetinviewForAnnotation并且不要费心设置tag. 您也不需要该buttonForAnnotation方法。然后在按钮操作方法中,从mapView.selectedAnnotations.

目前,您的操作方法已启用,self.delegate因此您可能无法从其他控制器访问地图视图。您可以做的是在地图控制器中创建一个本地按钮操作方法,该方法获取选定的注释,然后调用该presentAnnotationPhoto:操作方法self.delegate(现在可以编写该方法以接受注释参数而不是按钮点击处理程序)。

第二个选项类似,只是您不需要执行任何操作addTarget,并且在calloutAccessoryControlTapped方法中调用presentAnnotationPhoto:on self.delegate

对于这两个选项,我建议修改方法presentAnnotationPhoto:接受注释对象FlickrPhotoAnnotation *本身(并将注释传递给它。UIButton *presentAnnotationPhoto:

于 2012-10-11T12:24:43.593 回答