0

好的,所以我想用 initWithCoder 完全理解这段代码发生了什么。这是我在阅读了几个建议的文档并一遍又一遍地阅读一本关于委托、核心位置、指定初始化程序的书中的章节后认为正在发生的事情。

  • 用一个指向 NSCoder 对象的指针初始化我的 viewcontroler。
  • 如果可行,则创建位置管理器对象的实例
  • 让委托成为我的视图控制器。
  • 将位置精度设置为最佳。
  • 告诉位置管理员开始更新。

  • 将“存储在委托中”的信息记录到控制台。lat 和 long 存储在指向 NSArray 对象的指针中,该对象作为参数传递给 locationManager:DidUpdateLocations: 方法。

  • 如果未找到位置,请在控制台中记录此状态。

.h 接口文件:

#import <UIKit/UIKit.h>
#import <CoreLocation/CoreLocation.h>

@interface WhereamiViewController : UIViewController
{
    CLLocationManager *locationManager;

}

@end

.m 实现文件:

#import "WhereamiViewController.h"

@interface WhereamiViewController ()

@end

@implementation WhereamiViewController

- (id)initWithCoder:(NSCoder *)aDecoder
{
    self = [super initWithCoder:aDecoder];

    if (self){
        //create location manager object
        locationManager = [[CLLocationManager alloc] init];

        //there will be a warning from this line of code
        [locationManager setDelegate:self];

        //and we want it to be as accurate as possible
        //regardless of how much time/power it takes
        [locationManager setDesiredAccuracy:kCLLocationAccuracyBest];

        //tell our manager to start looking for its location immediately
        [locationManager startUpdatingLocation];
    }

    return self;
}

- (void)locationManager:(CLLocationManager *)manager
    didUpdateLocations:(NSArray *)locations
{
    NSLog(@"%@", locations);
}

- (void)locationManager:(CLLocationManager *)manager
      didFailWithError:(NSError *)error
{
    NSLog(@"Could not find location: %@", error);
}


@end

一些进一步的问题:

1) 代码的 setDelegate 部分是否重要,因为“startUpdatingLocation 方法将存储它的数据?

2) 存储的数据是否归档?我之所以问是因为我设置的委托具有初始化程序 initWithCoder。从我读过的内容来看,这是一个归档数据的非归档文件。因此,可能来自 locationManager 的信息已存档,如果有意义,则需要取消存档。

我在 XCode 上收到此警告。难道我做错了什么? 在此处输入图像描述 我仍然想以这种方式设置代表还是有一种新的方式?在另一篇文章中,我记得看到类似的答案,<UIViewControllerDelegate>并被告知将其放入我的界面文件中。

我意识到这篇文章的大部分内容可能没有意义,我可能完全错了,但我从失败中学到的最多,如果其他人选择学习为 ios 开发,也许他们将来会这样做。

谢谢你的时间。

问候

4

2 回答 2

1

1) 代码的 setDelegate 部分是否重要,因为“startUpdatingLocation 方法将存储它的数据?

是的,您将无法从中接收数据,CLLocationManager因为它不知道要调用哪个对象以及您尚未实现的其他方法locationManager:didUpdateLocations:locationManager:didFailWithError:您应该习惯于Objective-C 中的委托模式

2) 存储的数据是否归档?我之所以问是因为我设置的委托具有初始化程序 initWithCoder。从我读过的内容来看,这是一个归档数据的非归档文件。因此,可能来自 locationManager 的信息已存档,如果有意义,则需要取消存档。

数据不会被存档,因为您不会将其存储在任何地方。CLLocationManager也不会将数据存储在任何地方。

我在 XCode 上收到此警告。难道我做错了什么?

您缺少视图控制器符合CLLocationManagerDelegate协议的声明。您可以通过替换来修复它:

@interface WhereamiViewController ()

和:

@interface WhereamiViewController () <CLLocationManagerDelegate>

您应该阅读有关在 Objective-C 中使用协议的信息

于 2013-10-14T19:34:08.347 回答
1

总的来说,是的。

1) 是的,这很重要。它告诉想要了解位置更新的位置经理。startUpdatingLocation不在委托中存储数据。startUpdatingLocation触发定位系统启动并找出您的位置。代表被告知该位置,并可以用它做任何想做的事。

2)从档案中initWithCoder重新创建。WhereamiViewController该档案很可能是 XIB 或故事板。它与位置管理器或委托关系无关。

正如@ArkadiuszHolko 所说,您应该指定<CLLocationManagerDelegate>. 这样做的目的是告诉编译器您承诺实现协议所需的方法,因此它可以检查您是否提出了问题。

于 2013-10-14T19:37:02.673 回答