我正在尝试将字符串值存储在完成处理程序中,但其范围仅限于该块。如何解决?
// Do any additional setup after loading the view, typically from a nib.
CLLocationManager *locationManager = [[CLLocationManager alloc] init];
locationManager.distanceFilter = kCLDistanceFilterNone;
locationManager.desiredAccuracy = kCLLocationAccuracyHundredMeters;
[locationManager startUpdatingLocation];
CLGeocoder *geocoder = [[CLGeocoder alloc] init] ;
NSString *co;
[geocoder reverseGeocodeLocation:locationManager.location
completionHandler:^(NSArray *placemarks, NSError *error) {
NSLog(@"reverseGeocodeLocation:completionHandler: Completion Handler called!");
if (error){
NSLog(@"Geocode failed with error: %@", error);
return;
}
CLPlacemark *placemark = [placemarks objectAtIndex:0];
NSLog(@"placemark.country %@",placemark.country);
co = placemark.country;
//
}];
NSLog(@"%@",co);
在此行,co的值再次变为null。请让我知道,如何保留完成处理程序之外的值,我将其存储在完成处理程序中。
答案 0 :(得分:4)
问题不在于范围问题,而是在完成块之前调用日志。反向地理编码调用是异步的。只要它完成了它正在做的事情,它将返回块,但在此期间,你的方法的其余部分将执行。如果在设置其值但在完成块内打印了该行,它将显示正确的值。
示例:
[geocoder reverseGeocodeLocation:locationManager.location
completionHandler:^(NSArray *placemarks, NSError *error) {
NSLog(@"reverseGeocodeLocation:completionHandler: Completion Handler called!");
if (error){
NSLog(@"Geocode failed with error: %@", error);
return;
}
CLPlacemark *placemark = [placemarks objectAtIndex:0];
NSLog(@"placemark.country %@",placemark.country);
co = placemark.country;
// The completion block has returned and co has been set. The value equals placemark.country
NSLog(@"%@",co);
}];
// This log is executed before the completion handler. co has not yet been set, the value is nil
NSLog(@"%@",co);
如果你需要在块之外使用co变量,你应该在完成块中调用它将使用的方法:
[geocoder reverseGeocodeLocation:locationManager.location
completionHandler:^(NSArray *placemarks, NSError *error) {
[self myMethodWithCountry:placemark.country];
}];
- (void)myMethodWithCountry:(NSString *)country {
// country == placemark.country
}
答案 1 :(得分:2)
您编写的NSLog
命令在完成阻止之前将起作用。由于这种情况,您将获得null
。您可以做的一件事是在块内打印co
的值,而不是在外面执行。
或强>
更改co
的声明如下:
__block NSString *co= nil;
答案 2 :(得分:-1)
正如Julie建议的那样,在__block
之前添加NSString *co;
,即__block NSString *co;
。这是两个下划线。