定位使用 " CoreLocation 框架
想要定位,需要使用5个步骤
1.首先创建一个"强引用"的位置管理器CLLocationManager
@interface ViewController ()<CLLocationManagerDelegate>
@property (nonatomic, strong) CLLocationManager *locationManager;
@end
创建位置管理者对象及其赋值
CLLocationManager *locationManager = [[CLLocationManager alloc] init];
self.locationManager = locationManager;
iOS8之后新增用户授权 注意点:必须要配置plist文件
配置plist文件新增
NSLocationWhenInUseUsageDescription 或 NSLocationAlwaysUsageDescription
始终使用用户的位置 -->无论前台还是后台运行情况都能够使用
当使用期间定位 -->只有在前台运行情况才可以定位
位置过滤 单位:米 100.1表示当用户位置更新了100.1米后调用对应的代理方法
期望精度 单位:米 100 :表示系统默认将100米看做同一个范围
if ([UIDevice currentDevice].systemVersion.floatValue >= 8.0) {
[locationManager requestAlwaysAuthorization];
[locationManager requestWhenInUseAuthorization];
}
locationManager.distanceFilter = 100.1;
locationManager.desiredAccuracy = kCLLocationAccuracyBest;
iOS9新特性-->后台定位-->allowsBackgroundLocationUpdates
>当用户授权为使用期间时,可以设置这个属性为YES,在plist中添加"Required background modes" 在字典中添加值"App registers for location updates".
设置代理,开启定位
locationManager.delegate = self;
[locationManager startUpdatingLocation];
实现代理方法
当定位到用户位置时更新
一直定位 耗电,所以有时候需要停止定位
Locations:装着CLLocation对象的数组
一个CLLocation代表一个位置
- (void)locationManager:(CLLocationManager *)manager didUpdateLocations:(NSArray<CLLocation *> *)locations
{
[manager stopUpdatingLocation];
NSLog(@"%@",locations);
}
根据维度获取位置下面分别是上海的位置和北京的位置 // 单位:米
根据比较可以得出俩地之间的距离
CLLocation *location = [[CLLocation alloc] initWithLatitude:30 longitude:120];
CLLocation *location1 = [[CLLocation alloc] initWithLatitude:39 longitude:115];
double distance = [location distanceFromLocation:location1];
地理编码和饭地理编码
创建几个控件
@property (weak, nonatomic) IBOutlet UITextField *longitudeTF;
@property (weak, nonatomic) IBOutlet UITextField *latitudeTF;
@property (weak, nonatomic) IBOutlet UILabel *detailLabel;
创建对象
CLGeocoder *geocoder = [[CLGeocoder alloc] init];
地理编码
[geocoder geocodeAddressString:self.addressTF.text completionHandler:^(NSArray<CLPlacemark *> * _Nullable placemarks, NSError * _Nullable error) {
// 防错处理
if (error) {
NSLog(@"%@",error);
return ;
}
// 提供一个列表供用户选择
for (CLPlacemark *placemark in placemarks) {
NSLog(@"name:%@ city:%@",placemark.name,placemark.locality);
// 赋值
// 纬度
self.latitudeLabel.text = [NSString stringWithFormat:@"%f",placemark.location.coordinate.latitude];
// 经度
self.longitudeLabel.text = [NSString stringWithFormat:@"%f",placemark.location.coordinate.longitude];
// 详细地址
self.detailLabel.text = placemark.name;
}
}];
反地理编码
// 2.1创建位置
CLLocation *location = [[CLLocation alloc] initWithLatitude:[self.latitudeTF.text doubleValue] longitude:[self.longitudeTF.text doubleValue]];
// 2.2调用方法 -->向苹果请求数据
[geocoder reverseGeocodeLocation:location completionHandler:^(NSArray<CLPlacemark *> * _Nullable placemarks, NSError * _Nullable error) {
// 2.3防错处理
if (error) {
NSLog(@"%@",error);
return ;
}
// 2.4赋值 -->获取地标
CLPlacemark *placemark = placemarks[0];
self.detailLabel.text = placemark.name;
}];
网友评论