Programing

터치 할 때 MKMapView (IOS)에 푸시 핀을 추가하는 방법은 무엇입니까?

crosscheck 2020. 12. 6. 21:12
반응형

터치 할 때 MKMapView (IOS)에 푸시 핀을 추가하는 방법은 무엇입니까?


사용자가 MKMapView를 터치하는 지점의 좌표를 얻어야했습니다. 나는 Interface Builder를 사용하고 있지 않습니다. 한 가지 예를 들어 주시겠습니까?


이를 위해 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를 참조하십시오 .


훌륭한 답변을 제공해 주신 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)
}

참고 URL : https://stackoverflow.com/questions/3959994/how-to-add-a-push-pin-to-a-mkmapviewios-when-touching

반응형