我有一个简单的按钮,当我按下按钮时,我正在调用另一个类,即Location类,以获取用户的当前位置。 取得位置后,我想更新必须显示位置的标签文字。
这是我的位置信息类:
class LocationManager: NSObject, CLLocationManagerDelegate {
var locationManager: CLLocationManager!
var geoCoder = CLGeocoder()
var userAddress: String?
override init() {
super.init()
locationManager = CLLocationManager()
locationManager.delegate = self
locationManager.desiredAccuracy = kCLLocationAccuracyBest
locationManager.activityType = .other
locationManager.requestWhenInUseAuthorization()
}
func getUserLocation(completion: @escaping(_ result: String) -> ()){
if CLLocationManager.locationServicesEnabled(){
locationManager.requestLocation()
}
guard let myResult = self.userAddress else { return }
completion(myResult)
}
func locationManager(_ manager: CLLocationManager, didUpdateLocations locations: [CLLocation]){
let userLocation: CLLocation = locations[0] as CLLocation
geoCoder.reverseGeocodeLocation(userLocation) { (placemarks, err) in
if let place = placemarks?.last{
self.userAddress = place.name!
}
}
}
func locationManager(_ manager: CLLocationManager, didFailWithError error: Error) {
print(error)
}
}
这是我调用方法并更新标签的地方:
func handleEnter() {
mView.inLabel.isHidden = false
location.getUserLocation { (theAddress) in
print(theAddress)
self.mView.inLabel.text = "\(theAddress)"
}
}
我的问题是,当我单击我的按钮(并触发handleEnter())时,什么也没有发生,就像它不会注册水龙头一样。仅在第二次点击后,我才获得地址和标签的更新。 我试图添加打印并使用断点来查看第一个拍子是否注册,并且确实如此。 我知道该位置可能需要几秒钟才能返回带有该地址的答案,我等了,但仍然没有任何反应,只有在显示第二次点击之后。
好像在第一次点击时,它只是没有得到地址。当我得到地址并尝试更新标签时,该如何“通知”?
答案 0 :(得分:1)
由于didUpdateLocations
和reverseGeocodeLocation
方法是异步调用的,因此该guard
可能从nil
地址开始返回
guard let myResult = self.userAddress else { return }
completion(myResult)
不会触发完成标签更新的操作,而是需要
var callBack:((String)->())?
func locationManager(_ manager: CLLocationManager, didUpdateLocations locations: [CLLocation]){
let userLocation: CLLocation = locations[0] as CLLocation
geoCoder.reverseGeocodeLocation(userLocation) { (placemarks, err) in
if let place = placemarks?.last{
callBack?(place.name!)
}
}
}
然后使用
location.callBack = { [weak self] str in
print(str)
DispatchQueue.main.async { // reverseGeocodeLocation callback is in a background thread
// any ui
}
}