OC----GPS定位

  1. 首先新建一个空工程 2.在建一个继承与UIViewController的RootViewController
  2. 代码如下:
  3. //设置根视图管理器
    - (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {
        self.window = [[UIWindow alloc] initWithFrame:[[UIScreen mainScreen] bounds]];
        
        RootViewController *rvc = [[RootViewController alloc] init];
        UINavigationController *nav = [[UINavigationController alloc] initWithRootViewController:rvc];
        self.window.rootViewController = nav;
        
        self.window.backgroundColor = [UIColor whiteColor];
        [self.window makeKeyAndVisible];
        return YES;
    }
  4. 在RootViewControllers的.m文件代码如下
  5. #import "RootViewController.h"
    
    #import <CoreLocation/CoreLocation.h>
    
    #define PATH @"http://api.map.baidu.com/geocoder?output=json&location=%f,%f&key=dc40f705157725fc98f1fee6a15b6e60"
    
    @interface RootViewController ()<CLLocationManagerDelegate>
    {
        //lbs 定位管理
        CLLocationManager *_manager;
    }
    
    @property (nonatomic,strong)CLLocationManager *manager;
    @end
    
    @implementation RootViewController
    
    - (void)viewDidLoad {
        [super viewDidLoad];
        self.navigationItem.leftBarButtonItem = [[UIBarButtonItem alloc] initWithTitle:@"开始定位" style:UIBarButtonItemStylePlain target:self action:@selector(begineLocation)];
        self.navigationItem.rightBarButtonItem = [[UIBarButtonItem alloc] initWithTitle:@"停止定位" style:UIBarButtonItemStylePlain target:self action:@selector(endLocation)];
        
        //创建管理器
        [self initLocationManager];
    }
    
    /*
     kCLLocationAccuracyBestForNavigation //导航时候用的精度
     kCLLocationAccuracyBest;//比较高的精度
     kCLLocationAccuracyNearestTenMeters; 10m内
     kCLLocationAccuracyHundredMeters;100m
     kCLLocationAccuracyKilometer;1000m
     kCLLocationAccuracyThreeKilometers; 3000m
     */
    - (void)initLocationManager {
        //懒加载
        if (!self.manager) {
            //实例化一个管理对象
            self.manager = [[CLLocationManager alloc] init];
            //设置精度 精度越高越耗电
            self.manager.desiredAccuracy = kCLLocationAccuracyBestForNavigation;
            //精度大小 1m
            self.manager.distanceFilter = 1;
            
            /*
             iOS8之后 需要设置配置文件
             
             1.在info.plist中添加  Privacy - Location Usage Description  ,  NSLocationAlwaysUsageDescription
             2.在代码中  [_manager requestAlwaysAuthorization];
             //ios8特有,申请用户授权使用地理位置信息
            
             */
            CGFloat version = [[[UIDevice currentDevice] systemVersion] floatValue];
            //判断版本
            if (version >= 8.0) {
                //申请用户授权使用地理位置信息
                //Authorization授权的意思
                [self.manager requestAlwaysAuthorization];
            }
            //如果要 获取定位的位置 那么需要设置代理
            self.manager.delegate = self;
        }
    }
    
    - (void)begineLocation {
        //是否支持定位服务
        if ([CLLocationManager locationServicesEnabled]) {
            //开始定位
            [self.manager startUpdatingLocation];
        }else{
            NSLog(@"没有gps");
        }
    }
    //停止定位
    - (void)endLocation {
        [self.manager stopUpdatingLocation];
    }
    
    #pragma mark - CLLocationManagerDelegate协议
    //当定位开始时 位置发生改变的时候 会一直调用
    //会把定位的位置 放入 locations数组中
    //这个数组实际上只有一个元素
    - (void)locationManager:(CLLocationManager *)manager didUpdateLocations:(NSArray *)locations {
        NSLog(@"定位位置");
        if (locations.count) {
            //数组中只有一个元素
            CLLocation *location = [locations lastObject];
            //CLLocationCoordinate2D是一个结构体 内部存放的是经纬度
            CLLocationCoordinate2D coordinate = location.coordinate;
            NSLog(@"longitude:%f",coordinate.longitude);
            NSLog(@"latitude:%f",coordinate.latitude);
            
    #if 1
            //官方自带的地理反编码
            CLGeocoder *geoCoder = [[CLGeocoder alloc] init];
            //地理逆向编码  地理反编码 (把经纬度转化为真正的地址位置)
            [geoCoder reverseGeocodeLocation:location completionHandler:^(NSArray *placemarks, NSError *error) {
                //回调这个block
                //解析好之后会放在 placemarks 数组中(实际上就一个元素)
                for (CLPlacemark *mark in placemarks) {
                    NSLog(@"name->%@",mark.name);
                    NSLog(@"country:%@",mark.country);
                    for (NSString *key in mark.addressDictionary) {
                        NSLog(@"%@",mark.addressDictionary[key]);
                    }
                }
            }];
            
    #else
            //异步下载数据 用百度的地理反编码
            dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{
                NSString *url = [NSString stringWithFormat:PATH,coordinate.latitude, coordinate.longitude];
                NSData *data = [NSData dataWithContentsOfURL:[NSURL URLWithString:url]];
                //下载完成
                NSDictionary *dict = [NSJSONSerialization JSONObjectWithData:data options:NSJSONReadingMutableContainers error:nil];
                NSDictionary *result = dict[@"result"];
                NSLog(@"addr:%@",result[@"formatted_address"]);
                
            });
    #endif
            
        }
    }
    /*
     {
     "status":"OK",
     "result":{
     "location":{
     "lng":113.675911,
     "lat":34.772749
     },
     "formatted_address":"河南省郑州市金水区经八路26号",
     "business":"胜岗,经八路,金水路",
     "addressComponent":{
     "city":"郑州市",
     "direction":"near",
     "distance":"12",
     "district":"金水区",
     "province":"河南省",
     "street":"经八路",
     "street_number":"26号"
     },
     "cityCode":268
     }
     }
     */
    
    - (void)locationManager:(CLLocationManager *)manager didFailWithError:(NSError *)error {
        NSLog(@"定位失败");
    }
    
    - (void)didReceiveMemoryWarning {
        [super didReceiveMemoryWarning];
        // Dispose of any resources that can be recreated.
    }
    @end
时间: 2024-10-04 16:24:35

OC----GPS定位的相关文章

Android GPS定位

GPS定位貌似在室内用不了,今天自己弄了一个GPS定位小Demo,包括用户所在的经度.纬度.高度.方向.移动速度.精确度等信息.Android为GPS功能支持专门提供了一个LocationManager类,程序并不能直接创建LocationManager实例,而是通过Context的getSystemService()方法来获取. 例如: //创建LocationManager对象 LocationManager lm = (LocationManager)getSystemService(Co

【转】GPS定位原理

一.距离测定原理 1.伪距测量 伪距测量是利用全球卫星定位系统进行导航定位的最基本的方法,其基本原理是:在某一瞬间利用GPS接收机同时测定至少四颗卫星的伪距,根据已知的卫星位置 和伪距观测值,采用距离交会法求出接收机的三维坐标和时钟改正数.伪距定位法定一次位的精度并不高,但定位速度快,经几小时的定位也可达米级的若再增加观 测时间,精度还可以提高. 每一卫星播发一个伪随机测距码信号,该信号大约每1毫秒播发一次,接收仪同时复制出一个同样结构的信号并与接收到的卫星信号进行比较,由信号的延迟时间(dT)

android 获取GPS定位

AndroidManifest.xml <?xml version="1.0" encoding="utf-8"?> <manifest xmlns:android="http://schemas.android.com/apk/res/android" package="com.example.yanlei.yl5" > <uses-permission android:name="a

Android GPS定位实现,教你如何一分钟实现GPS定位

转载请注明出处:http://blog.csdn.net/smartbetter/article/details/50425041 今天给大家带来的是一篇关于GPS定位的文章,我们都知道,Android定位大致分为wifi定位,基站定位和GPS定位,今天我就带大家来看看GPS定位是什么玩意,通过本篇的学习,相信大家能很快上手GPS定位操作了.GPS定位是通过和GPS定位卫星通讯来进行定位的,可以使用最少数量的卫星实现全球定位,3颗,通过光波进行通讯,不需要联网,但是连接时间比较长,大致1分钟左右

3,gps定位原理及格式

1 gps定位原理 gps是美国开发的一套实时定位系统.在导航应用中,重点关注的是用户的gps接受机,根据接收机的数据从而获取当前的位置和时间信息.大概了解下定位原理: 由于我们是用于上位机的开发,接收器遵守的是NMEA0183协议,某种程度上我们通过协议直接得到当前所在的经纬度信息. 首先我们必须要了解的是地球的参考坐标系,以便于我们使用地图时把得到的坐标转换成导航所使用的坐标系.NMEA0183使用的参考坐标系是WGS-84坐标系. 其次,必须了解三颗卫星可以定位,另外一颗卫星是为了消除误差

Arcgis API for Android之GPS定位

欢迎大家增加Arcgis API for Android的QQ交流群:337469080 先说说写这篇文章的原因吧,在群内讨论的过程中,有人提到了定位的问题,刚好,自己曾经在做相关工作的时候做过相关的东西,所以就总结一下,给大家共享出来,因为本人水平有限,bug是在所难免,还望有更高的高人批评指正.废话不多说,直接进入主题. 要想在地图上定位并将定位结果实时显示出来,启发逻辑上非常easy:首先,接收并解析GPS或者网络的位置信息,一般来说,接受的位置信息是WGS84的经纬度的,可是我们的地图的

ionic cordova 引用百度地图以及利用手机GPS定位

首先引入百度地图 在html文件里面加入 <head> <script type="text/javascript" src="http://api.map.baidu.com/api?v=2.0&ak=你的密钥"></script> //申请一个百度密钥,建议申请浏览器版的比较方便测试 </head> <body> <button id = "getPosition"&g

手机安全卫士------手机防盗页面之播放报警音乐&amp;GPS定位

播放报警音乐 1.把音乐文件放在res/raw文件中 2.创建MediaPlayer对象 MediaPlayer player = MediaPlayer.create(Context,R.raw.*); 3.设置声音为最高: player.setVolume(1.0f,1.0f); 4.设置声音为循环播放: player.setLooping(true); 代码: //报警音乐 MediaPlayer mediaPlayer = MediaPlayer.create(context, R.ra

delphi xe6 for android 自带控件LocationSensor优先使用GPS定位的方法

delphi xe6 for android LocationSensor控件默认是优先使用网络定位,对定位精度要求高的应用我们可以修改原码直接指定GPS定位. 修改方法: 将C:\Program Files\Embarcadero\Studio\14.0\source\rtl\common\System.Android.Sensors.pas拷贝到自己的工程目录里 打开System.Android.Sensors.pas找到function TUIAndroidLocationSensor.D

PHP利用百度地图API进行IP定位和GPS定位

最近在做一个手机端的webapp地图应用,而核心内容当然是定位了,但是定位的话有几种方式,IP定位,GPS定位,基站定位(这个貌似webapp用不了), 那么剩下核心的gps定位和ip定位了,我们知道,html5有定位API,但是该API拿到的GPS数据是硬件坐标,无法直接显示在地图上. 后来上百度LBS云看到有地图IP定位API和GPS坐标转换API,地址:http://developer.baidu.com/map/ 百度地图API的调用需要申请KEY,这里就不具体介绍了,直接贴上本人写了两