1. Info.plist 에 "Privacy-Location When In Use Usage Description" 키 추가
2. CLLocationManager 오브젝트로 위치 접근 권한 요청하기
따라서 MapViewController 를 CLLocationManagerDelegate 프로토콜에 따르게 하고 CLLocationManager 오브젝트의 델레게이트로 선언해 locationManagerDidChangeAuthorization(_:) 메서드에 권한에 따라 작업을 수행하도록 한다.
import UIKit
import MapKit
class MapViewController: UIViewController, CLLocationManagerDelegate {
private var mapView: MKMapView!
private var locationManager: CLLocationManager!
override func viewDidLoad() {
super.viewDidLoad()
locationManager = CLLocationManager()
locationManager.delegate = self
locationManager.requestWhenInUseAuthorization()
print("MapViewController loaded its view")
}
func locationManagerDidChangeAuthorization(_ manager: CLLocationManager) {
if manager.authorizationStatus == .authorizedWhenInUse {
mapView.showsUserLocation.toggle()
}
}
}
즉, MapViewController 를 mapView 의 델리게이트로 선언한 다음, mapView(_:didUpdate:) 메서드에서 setRegion(_:animated) 메서드를 호출하게 하면 유저의 위치가 바뀔 때마다 유저의 현재 위치로 줌인하게 할 수 있다.
mapView(_:didUpdate:) 메서드에서 setRegion(_:animated) 메서드를 바로 호출하게 하지 않고 별도로 zoomIntoUserLocation(userLocation:) 메서드를 사용해서 구현했는데, center 가 userLocation 의 좌표와 일치하고, span 이 0.01 인 MKUserLocation 오브젝트를 생성해 setRegion(_:animated) 메서드의 인자로 보냈다.
class MapViewController: UIViewController, CLLocationManagerDelegate, MKMapViewDelegate {
private var mapView: MKMapView!
private var locationManager: CLLocationManager!
override func loadView() {
super.loadView()
mapView = MKMapView()
view = mapView
mapView.delegate = self // 델리게이트 설정
...
}
func mapView(_ mapView: MKMapView, didUpdate userLocation: MKUserLocation) {
zoomIntoUserLocation(userLocation: userLocation)
}
private func zoomIntoUserLocation(userLocation: MKUserLocation) {
let locationDegrees: Double = 0.01
let region = MKCoordinateRegion(
center: userLocation.coordinate,
span: MKCoordinateSpan(
latitudeDelta: locationDegrees,
longitudeDelta: locationDegrees
)
)
mapView.setRegion(region, animated: true)
}
}