iOS開發(fā)之高德地圖的應用與開發(fā)之一:定位

高德地圖的集成前期準備

最近公司需要實現(xiàn)一個共享停車位的功能逻族,目的就是想讓一些已經(jīng)有車位的人础拨,在他們不用車位的時間段能把車位租出去,另外給哪些想用車位的一些人提供車位吼野,這樣就大大提高了資源的利用率。因此看到這個功能后两波,我們就想到了小黃車(ofo)瞳步、摩拜、小藍車等共享單車的一些功能腰奋,經(jīng)過反復討論研究后单起,我們知道實現(xiàn)這個需求包括的部分功能有:定位、搜索劣坊、線路規(guī)劃嘀倒、導航等功能。

實現(xiàn)時時定位局冰,并搜索周邊環(huán)境

1测蘑、打開蘋果的定位權限
在蘋果的info.plist中設置以下訪問權限:
Privacy - Location When In Use Usage Description 獲取位置以便推薦附近的車位,可以租用的資源
Privacy - Location Always Usage Description 獲取位置以便推薦附近的車位康二,可以租用的資源
Privacy - Location Always and When In Use Usage Description 獲取位置以便推薦附近的車位碳胳,可以租用的資源

2、設置允許HTTP網(wǎng)絡訪問
iOS9中新增App Transport Security(ATS)特性沫勿,主要使原來請求的時候用到的HTTP都轉(zhuǎn)向TLS1.2協(xié)議進行傳輸挨约。默認情況下非HTTPS的網(wǎng)絡訪問是被禁止的。通過NSAllowsArbitraryLoads 設置為YES 來禁用ATS产雹。
2017年1月1日起诫惭,所有的新提交app默認是不允許使用NSAllowArbitraryLoads來繞過ATS限制的,換句話說蔓挖,我們最好保證app的所有網(wǎng)絡請求都是HTTPS加密的夕土,否則可能會在應用審核時遇到麻煩。

3时甚、用cocoaPods集成SDK
podfile里面編輯內(nèi)容如下:

platform :ios, '8.0'

target 'iOS_Selectable_Overlay' do
pod 'AMap3DMap'
pod 'AMapSearch'
pod 'AMapLocation'
pod 'AMapFoundation'
pod 'AMapNavi'
end

end

執(zhí)行pod install命令之后就把SDK集成到了項目當中

4隘弊、編譯后開始在項目中配置key和bundleid,然后開始寫代碼荒适。
提示:只寫部分核心代碼梨熙,想解鎖更多請到github上下載源碼。

創(chuàng)建地圖:
    self.mapView = [[MAMapView alloc] initWithFrame:CGRectMake(0, 64, self.view.frame.size.width, self.view.frame.size.height - 64)];
    self.mapView.autoresizingMask = UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleHeight;
    self.mapView.delegate = self;
    self.mapView.mapType = MAMapTypeNavi;
    self.mapView.showsCompass = YES;
    self.mapView.showTraffic = YES;
    // 路線顏色
    [self.mapView setTrafficStatus:@{@(MATrafficStatusSlow):[UIColor yellowColor],@(MATrafficStatusJam):[UIColor redColor],@(MATrafficStatusSeriousJam):[UIColor redColor],@(MATrafficStatusSmooth):[UIColor whiteColor]}];
self.mapView.showsUserLocation = YES;
self.mapView.userTrackingMode = MAUserTrackingModeFollow;
    [self.view addSubview:self.mapView];


創(chuàng)建連續(xù)定位:
    self.locationManager = [[AMapLocationManager alloc] init];
    [self.locationManager setDelegate:self];
    //設置期望定位精度
    [self.locationManager setDesiredAccuracy:kCLLocationAccuracyHundredMeters];
    //設置不允許系統(tǒng)暫停定位
    [self.locationManager setPausesLocationUpdatesAutomatically:NO];
    //設置允許在后臺定位
    [self.locationManager setAllowsBackgroundLocationUpdates:YES];
    //設置定位超時時間
    [self.locationManager setLocationTimeout:DefaultLocationTimeout];
    //設置逆地理超時時間
    [self.locationManager setReGeocodeTimeout:DefaultReGeocodeTimeout];
    //設置開啟虛擬定位風險監(jiān)測刀诬,可以根據(jù)需要開啟
    [self.locationManager setDetectRiskOfFakeLocation:NO];
    //開始定位
    [self.locationManager startUpdatingLocation];

代理方法:
#pragma mark--MAMapViewDelegate
- (void)mapViewRequireLocationAuth:(CLLocationManager *)locationManager
{
    [locationManager requestAlwaysAuthorization];
}

- (MAOverlayRenderer *)mapView:(MAMapView *)mapView rendererForOverlay:(id <MAOverlay>)overlay
{
    /* 自定義定位精度對應的MACircleView. */
    if (overlay == mapView.userLocationAccuracyCircle)
    {
        MACircleRenderer *accuracyCircleRenderer = [[MACircleRenderer alloc] initWithCircle:overlay];
        
        accuracyCircleRenderer.lineWidth    = 2.f;
        accuracyCircleRenderer.strokeColor  = [UIColor lightGrayColor];
        accuracyCircleRenderer.fillColor    = [UIColor colorWithRed:1 green:0 blue:0 alpha:.3];
        
        return accuracyCircleRenderer;
    }
    
    return nil;
}

- (MAAnnotationView *)mapView:(MAMapView *)mapView viewForAnnotation:(id<MAAnnotation>)annotation
{
    
    /* 自定義userLocation對應的annotationView. */
    if ([annotation isKindOfClass:[MAUserLocation class]])
    {
        static NSString *userLocationStyleReuseIndetifier = @"userLocationStyleReuseIndetifier";
        MAAnnotationView *annotationView = [mapView dequeueReusableAnnotationViewWithIdentifier:userLocationStyleReuseIndetifier];
        if (annotationView == nil)
        {
            annotationView = [[MAAnnotationView alloc] initWithAnnotation:annotation
                                                          reuseIdentifier:userLocationStyleReuseIndetifier];
        }
        
        annotationView.image = [UIImage imageNamed:@"userPosition"];
        self.userLocationAnnotationView = annotationView;
        return annotationView;
    }
    return nil;
}
- (void)mapView:(MAMapView *)mapView didUpdateUserLocation:(MAUserLocation *)userLocation updatingLocation:(BOOL)updatingLocation
{
    if (!updatingLocation && self.userLocationAnnotationView != nil)
    {
        
        [UIView animateWithDuration:0.1 animations:^{

            double degree = userLocation.heading.trueHeading - self.mapView.rotationDegree;
            self.userLocationAnnotationView.transform = CGAffineTransformMakeRotation(degree * M_PI / 180.f );

        }];
        
    }
}


#pragma mark--AMapLocationManagerDelegate

- (void)amapLocationManager:(AMapLocationManager *)manager didUpdateLocation:(CLLocation *)location reGeocode:(AMapLocationReGeocode *)reGeocode {
    // 定位結(jié)果
    NSLog(@"location:{lat:%f; lon:%f; accuracy:%f}", location.coordinate.latitude, location.coordinate.longitude, location.horizontalAccuracy);
    // 賦值給全局變量
    self.location = location;
    // 停止定位
    [self.locationManager stopUpdatingLocation];
    // 發(fā)起周邊搜索
    [self searchAround];
}


// 定位失敗后回調(diào)
- (void)amapLocationManager:(AMapLocationManager *)manager didFailWithError:(NSError *)error{
    NSLog(@"%@",error);
}


// 定位權限狀態(tài)改變后回調(diào)
- (void)amapLocationManager:(AMapLocationManager *)manager didChangeAuthorizationStatus:(CLAuthorizationStatus)status{
    /*
    kCLAuthorizationStatusNotDetermined         未檢測
    kCLAuthorizationStatusRestricted
    kCLAuthorizationStatusDenied                拒絕
    kCLAuthorizationStatusAuthorizedAlways      一直
    kCLAuthorizationStatusAuthorizedWhenInUse   使用時
    kCLAuthorizationStatusAuthorized
     */
}


- (void)searchAround {
    
    // 初始化搜索
    self.searchAPI = [[AMapSearchAPI alloc] init];
    self.searchAPI.delegate = self;
    
    //構(gòu)造AMapPOIAroundSearchRequest對象咽扇,設置周邊請求參數(shù)
    AMapPOIAroundSearchRequest *request = [[AMapPOIAroundSearchRequest alloc] init];
    request.location = [AMapGeoPoint locationWithLatitude:self.location.coordinate.latitude longitude:self.location.coordinate.longitude];
    // types屬性表示限定搜索POI的類別邪财,默認為:餐飲服務|商務住宅|生活服務
    // POI的類型共分為20種大類別,分別為:
    // 汽車服務|汽車銷售|汽車維修|摩托車服務|餐飲服務|購物服務|生活服務|體育休閑服務|
    // 醫(yī)療保健服務|住宿服務|風景名勝|(zhì)商務住宅|政府機構(gòu)及社會團體|科教文化服務|
    // 交通設施服務|金融保險服務|公司企業(yè)|道路附屬設施|地名地址信息|公共設施
    request.types = @"汽車服務|汽車銷售|汽車維修|摩托車服務|餐飲服務|購物服務|生活服務|體育休閑服務|醫(yī)療保健服務|住宿服務|風景名勝|(zhì)商務住宅|政府機構(gòu)及社會團體|科教文化服務|交通設施服務|金融保險服務|公司企業(yè)|道路附屬設施|地名地址信息|公共設施";
    request.sortrule = 0;
    request.requireExtension = YES;
    //發(fā)起周邊搜索
    [self.searchAPI AMapPOIAroundSearch: request];
}

#pragma mark--實現(xiàn)POI搜索對應的回調(diào)函數(shù)
- (void)onPOISearchDone:(AMapPOISearchBaseRequest *)request response:(AMapPOISearchResponse *)response{
    NSLog(@"周邊搜索回調(diào)");
    if(response.pois.count == 0) {
        return;
    }
    self.addressArray = [NSMutableArray arrayWithArray:response.pois];
    //self.dataArray = [NSMutableArray arrayWithArray:response.pois];
    // 周邊搜索完成后质欲,刷新tableview
}

如果要創(chuàng)建單次定位則為:

//進行單次帶逆地理定位請求
    [self.locationManager requestLocationWithReGeocode:YES completionBlock:self.completionBlock];

#pragma mark - Initialization
- (void)initCompleteBlock {
    __weak ShowPostionViewController *weakSelf = self;
    self.completionBlock = ^(CLLocation *location, AMapLocationReGeocode *regeocode, NSError *error) {
        if (error != nil && error.code == AMapLocationErrorLocateFailed) {
            //定位錯誤:此時location和regeocode沒有返回值树埠,不進行annotation的添加
            // 重新進行,單次定位
            [weakSelf.locationManager requestLocationWithReGeocode:YES completionBlock:weakSelf.completionBlock];
            NSLog(@"定位錯誤:{%ld - %@};", (long)error.code, error.userInfo);
            return;
        } else if (error != nil
                 && (error.code == AMapLocationErrorReGeocodeFailed
                     || error.code == AMapLocationErrorTimeOut
                     || error.code == AMapLocationErrorCannotFindHost
                     || error.code == AMapLocationErrorBadURL
                     || error.code == AMapLocationErrorNotConnectedToInternet
                     || error.code == AMapLocationErrorCannotConnectToHost))
        {
            //逆地理錯誤:在帶逆地理的單次定位中,逆地理過程可能發(fā)生錯誤嘶伟,此時location有返回值怎憋,regeocode無返回值,進行annotation的添加
            NSLog(@"逆地理錯誤:{%ld - %@};", (long)error.code, error.userInfo);
            // 重新進行,單次定位
            [weakSelf.locationManager requestLocationWithReGeocode:YES completionBlock:weakSelf.completionBlock];
            
        } else if (error != nil && error.code == AMapLocationErrorRiskOfFakeLocation) {
            //存在虛擬定位的風險:此時location和regeocode沒有返回值九昧,不進行annotation的添加
            NSLog(@"存在虛擬定位的風險:{%ld - %@};", (long)error.code, error.userInfo);
            
            //存在虛擬定位的風險的定位結(jié)果
            __unused CLLocation *riskyLocateResult = [error.userInfo objectForKey:@"AMapLocationRiskyLocateResult"];
            //存在外接的輔助定位設備
            __unused NSDictionary *externalAccressory = [error.userInfo objectForKey:@"AMapLocationAccessoryInfo"];
            
            return;
        } else {
            //沒有錯誤:location有返回值绊袋,regeocode是否有返回值取決于是否進行逆地理操作,進行annotation的添加
        }
        
        //有無逆地理信息铸鹰,annotationView的標題顯示的字段不一樣
        if (regeocode) {
            weakSelf.positonLabel.text = [NSString stringWithFormat:@"%@", regeocode.formattedAddress];
            weakSelf.location = location;

            // 格式化地址
            NSString *formattedAddress=regeocode.formattedAddress;
            // 國家
            NSString *country=regeocode.country;
            // 省/直轄市
            NSString *province=regeocode.province;
            // 市
            NSString *city=regeocode.city;
            // 區(qū)
            NSString *district=regeocode.district;
            // 城市編碼
            NSString *citycode=regeocode.citycode;
            // 區(qū)域編碼
            NSString *adcode=regeocode.adcode;
            // 街道名稱
            NSString *street=regeocode.street;
            // 門牌號
            NSString *number=regeocode.number;
            // 興趣點名稱
            NSString *POIName=regeocode.POIName;
            // 所屬興趣點名稱
            NSString *AOIName=regeocode.AOIName;

        } else {

        }
        
    };
    
}

案例demo如下:
https://github.com/Wululu6/MapKitDemo1.git
查看地圖更多內(nèi)容請點擊以下鏈接:
固定在地圖中心的大頭針癌别,移動地圖并顯示位置

最后編輯于
?著作權歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末,一起剝皮案震驚了整個濱河市蹋笼,隨后出現(xiàn)的幾起案子展姐,更是在濱河造成了極大的恐慌,老刑警劉巖剖毯,帶你破解...
    沈念sama閱讀 216,324評論 6 498
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件圾笨,死亡現(xiàn)場離奇詭異,居然都是意外死亡速兔,警方通過查閱死者的電腦和手機墅拭,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 92,356評論 3 392
  • 文/潘曉璐 我一進店門,熙熙樓的掌柜王于貴愁眉苦臉地迎上來涣狗,“玉大人谍婉,你說我怎么就攤上這事《频觯” “怎么了穗熬?”我有些...
    開封第一講書人閱讀 162,328評論 0 353
  • 文/不壞的土叔 我叫張陵,是天一觀的道長丁溅。 經(jīng)常有香客問我唤蔗,道長,這世上最難降的妖魔是什么窟赏? 我笑而不...
    開封第一講書人閱讀 58,147評論 1 292
  • 正文 為了忘掉前任妓柜,我火速辦了婚禮,結(jié)果婚禮上,老公的妹妹穿的比我還像新娘。我一直安慰自己醒陆,他們只是感情好核无,可當我...
    茶點故事閱讀 67,160評論 6 388
  • 文/花漫 我一把揭開白布辖所。 她就那樣靜靜地躺著绍坝,像睡著了一般匕荸。 火紅的嫁衣襯著肌膚如雪车摄。 梳的紋絲不亂的頭發(fā)上粟誓,一...
    開封第一講書人閱讀 51,115評論 1 296
  • 那天奏寨,我揣著相機與錄音,去河邊找鬼鹰服。 笑死病瞳,一個胖子當著我的面吹牛,可吹牛的內(nèi)容都是我干的获诈。 我是一名探鬼主播仍源,決...
    沈念sama閱讀 40,025評論 3 417
  • 文/蒼蘭香墨 我猛地睜開眼,長吁一口氣:“原來是場噩夢啊……” “哼舔涎!你這毒婦竟也來了?” 一聲冷哼從身側(cè)響起逗爹,我...
    開封第一講書人閱讀 38,867評論 0 274
  • 序言:老撾萬榮一對情侶失蹤亡嫌,失蹤者是張志新(化名)和其女友劉穎,沒想到半個月后掘而,有當?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體挟冠,經(jīng)...
    沈念sama閱讀 45,307評論 1 310
  • 正文 獨居荒郊野嶺守林人離奇死亡,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點故事閱讀 37,528評論 2 332
  • 正文 我和宋清朗相戀三年袍睡,在試婚紗的時候發(fā)現(xiàn)自己被綠了知染。 大學時的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片。...
    茶點故事閱讀 39,688評論 1 348
  • 序言:一個原本活蹦亂跳的男人離奇死亡斑胜,死狀恐怖控淡,靈堂內(nèi)的尸體忽然破棺而出,到底是詐尸還是另有隱情止潘,我是刑警寧澤掺炭,帶...
    沈念sama閱讀 35,409評論 5 343
  • 正文 年R本政府宣布,位于F島的核電站凭戴,受9級特大地震影響涧狮,放射性物質(zhì)發(fā)生泄漏。R本人自食惡果不足惜么夫,卻給世界環(huán)境...
    茶點故事閱讀 41,001評論 3 325
  • 文/蒙蒙 一者冤、第九天 我趴在偏房一處隱蔽的房頂上張望。 院中可真熱鬧档痪,春花似錦涉枫、人聲如沸。這莊子的主人今日做“春日...
    開封第一講書人閱讀 31,657評論 0 22
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽殊鞭。三九已至,卻和暖如春尼桶,著一層夾襖步出監(jiān)牢的瞬間操灿,已是汗流浹背。 一陣腳步聲響...
    開封第一講書人閱讀 32,811評論 1 268
  • 我被黑心中介騙來泰國打工泵督, 沒想到剛下飛機就差點兒被人妖公主榨干…… 1. 我叫王不留趾盐,地道東北人。 一個月前我還...
    沈念sama閱讀 47,685評論 2 368
  • 正文 我出身青樓小腊,卻偏偏與公主長得像救鲤,于是被迫代替她去往敵國和親。 傳聞我的和親對象是個殘疾皇子秩冈,可洞房花燭夜當晚...
    茶點故事閱讀 44,573評論 2 353