封装
#import <Foundation/Foundation.h>
#import <CoreLocation/CoreLocation.h>
@interface MyLocationManager : NSObject
/// 开始定位
+ (void)startLocation:(void(^)(CLLocation *location))success failure:(void(^)(CLAuthorizationStatus status, NSError *error))failure;
/// 结束定位
+ (void)stopLocation;
@end
#import "MyLocationManager.h"
@interface MyLocationManager ()<CLLocationManagerDelegate>
@property (nonatomic, strong) CLLocationManager *locationManager;
@property (nonatomic, copy) void(^locationSuccess)(CLLocation *location);
@property (nonatomic, copy) void(^locationFailure)(CLAuthorizationStatus status, NSError *error);
@end
@implementation MyLocationManager
+ (MyLocationManager *)sharedManager {
static MyLocationManager *manager = nil;
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
manager = [[MyLocationManager alloc]init];
});
return manager;
}
+ (void)startLocation:(void(^)(CLLocation *location))success failure:(void(^)(CLAuthorizationStatus status, NSError *error))failure {
[[MyLocationManager sharedManager]startLocation:success failure:failure];
}
+ (void)stopLocation {
[[MyLocationManager sharedManager]stopLocation];
}
- (void)startLocation:(void(^)(CLLocation *location))success failure:(void(^)(CLAuthorizationStatus status, NSError *error))failure {
self.locationSuccess = success;
self.locationFailure = failure;
[self.locationManager startUpdatingLocation];
}
- (void)stopLocation {
[self.locationManager stopUpdatingLocation];
}
- (CLLocationManager *)locationManager {
if (_locationManager == nil) {
_locationManager = [[CLLocationManager alloc]init];
[_locationManager requestWhenInUseAuthorization];
_locationManager.delegate = self;
_locationManager.desiredAccuracy = kCLLocationAccuracyBest;
_locationManager.distanceFilter = 0.1;
}
return _locationManager;
}
#pragma mark - CLLocationManagerDelegate
/// 定位成功
- (void)locationManager:(CLLocationManager *)manager
didUpdateLocations:(NSArray<CLLocation *> *)locations {
if (self.locationSuccess) {
self.locationSuccess(locations.lastObject);
}
}
/// 定位失败
- (void)locationManager:(CLLocationManager *)manager
didFailWithError:(NSError *)error {
if (self.locationFailure) {
if (@available(iOS 14.0, *)) {
self.locationFailure(manager.authorizationStatus, error);
} else {
self.locationFailure([CLLocationManager authorizationStatus], error);
}
}
}
/// 定位权限
- (void)locationManager:(CLLocationManager *)manager didChangeAuthorizationStatus:(CLAuthorizationStatus)status {
if (status != kCLAuthorizationStatusAuthorizedWhenInUse && status != kCLAuthorizationStatusAuthorizedAlways) {
if (self.locationFailure) {
self.locationFailure(status, nil);
}
}
}
@end
使用
[MyLocationManager startLocation:^(CLLocation *location) {
/// 定位成功
} failure:^(CLAuthorizationStatus status, NSError *error) {
/// 定位失败
}];
网友评论