触摸时如何添加一个图钉到MKMapView(IOS)?

我必须得到用户触摸MKMapView的一个点的坐标。 我没有使用Interface Builder。 你能给我一个例子或链接。

非常感谢

你可以使用UILongPressGestureRecognizer 。 无论您创build或初始化mapview,首先将识别器附加到它:

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类。

有关创build您自己的MKAnnotation类的示例,请参阅示例应用程序WeatherMap和MapCallouts 。

感谢安娜提供这样一个伟大的答案! 这是一个Swift版本,如果有人感兴趣(答案已经更新为Swift 3.0语法)。

创buildUILongPressGestureRecognizer:

 let longPressRecogniser = UILongPressGestureRecognizer(target: self, action: #selector(MapViewController.handleLongPress(_:))) longPressRecogniser.minimumPressDuration = 1.0 mapView.addGestureRecognizer(longPressRecogniser) 

处理手势:

 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) } 
Interesting Posts