【发布时间】:2011-04-26 23:26:17
【问题描述】:
我必须获取用户在 MKMapView 上触摸的点的坐标。 我没有使用 Interface Builder。 可以举个例子吗?
【问题讨论】:
标签: iphone ios mkmapview pushpin
我必须获取用户在 MKMapView 上触摸的点的坐标。 我没有使用 Interface Builder。 可以举个例子吗?
【问题讨论】:
标签: iphone ios mkmapview pushpin
您可以为此使用UILongPressGestureRecognizer。无论您在哪里创建或初始化地图视图,首先将识别器附加到它:
UILongPressGestureRecognizer *lpgr = [[UILongPressGestureRecognizer alloc]
initWithTarget:self action:@selector(handleLongPress:)];
lpgr.minimumPressDuration = 2.0; //user needs to press for 2 seconds
[self.mapView addGestureRecognizer:lpgr];
[lpgr release];
然后在手势处理程序中:
- (void)handleLongPress:(UIGestureRecognizer *)gestureRecognizer
{
if (gestureRecognizer.state != UIGestureRecognizerStateBegan)
return;
CGPoint touchPoint = [gestureRecognizer locationInView:self.mapView];
CLLocationCoordinate2D touchMapCoordinate =
[self.mapView convertPoint:touchPoint toCoordinateFromView:self.mapView];
YourMKAnnotationClass *annot = [[YourMKAnnotationClass alloc] init];
annot.coordinate = touchMapCoordinate;
[self.mapView addAnnotation:annot];
[annot release];
}
YourMKAnnotationClass 是您定义的符合MKAnnotation 协议的类。如果您的应用仅在 iOS 4.0 或更高版本上运行,您可以改用预定义的 MKPointAnnotation 类。
有关创建您自己的 MKAnnotation 类的示例,请参阅示例应用程序MapCallouts。
【讨论】:
==,因此如果它不是 UIGestureRecognizerStateBegan,它就会返回。这样做会在指定时间后放下图钉,即使用户仍然拿着我想要的地图(以及官方地图应用程序是如何做到的)。
感谢 Anna 提供了这么好的答案!如果有人感兴趣,这里是一个 Swift 版本(答案已更新为 Swift 4.1 语法)。
创建 UILongPressGestureRecognizer:
let longPressRecogniser = UILongPressGestureRecognizer(target: self, action: #selector(MapViewController.handleLongPress(_:)))
longPressRecogniser.minimumPressDuration = 1.0
mapView.addGestureRecognizer(longPressRecogniser)
处理手势:
@objc func handleLongPress(_ gestureRecognizer : UIGestureRecognizer){
if gestureRecognizer.state != .began { return }
let touchPoint = gestureRecognizer.location(in: mapView)
let touchMapCoordinate = mapView.convert(touchPoint, toCoordinateFrom: mapView)
let album = Album(coordinate: touchMapCoordinate, context: sharedContext)
mapView.addAnnotation(album)
}
【讨论】: