1

在我的应用程序中,我有一个单独的对象来处理身份验证和从网络服务获取我的应用程序需要的信息以填充表格,我们称之为 Getter。

所以首先我的视图控制器分配getter

Getter *get = [[Getter alloc]init];
[get getInfoWithCompletion^(id result) {
    if ([result isKindOfClass:[NSMutableArray class]]) {
        NSMutableArray *array = result;
        self.infoarray = array;
        self.tableView.scrollEnabled = TRUE;
        [self.tableView reloadData];
    }
}];

当 Getter 被告知 getinfo 时,它分配一个 Downloader 对象,告诉它用一个 url 下载并给它一个完成块。当下载器完成时,它会调用一个完成块。

Getter.m

- (void)getInfoWithCompletion:(void (^)(id result))completionBlock{
     self.completion = completionBlock;
     Downloader *download = [[Downloader alloc]init];
     [downloader downloadWithURL:@"http://....." completion:^(id results, NSError *error){
            if (error) {
                [self handleErrorWithError:error];
            } else {
                ....
                self.completion(theResult);
            }
     }];

- (void)handleErrorWithError:(NSError *)error {
     UIAlertView *alert = [[UIAlertView alloc]initWithTitle:@"Error" message:error.localizedDescription delegate:self cancelButtonTitle:@"Skip" otherButtonTitles:@"Retry",nil];
    [alert show];
}

- (void)alertView:(UIAlertView *)alertView clickedButtonAtIndex:(NSInteger)buttonIndex {
if ([[alertView buttonTitleAtIndex:buttonIndex]isEqualToString:@"Retry"]) {
    [self getInfoWithCompletion:self.completion];
} else {
    self.completion(nil);
}

这里的问题是,在显示警报视图后,Getter 被释放,因此当警报尝试告诉代理点击了哪个按钮时,它会崩溃。在 ARC 之前,您可以在委托方法中的警报和 [自我释放] 之前 [自我保留]。但我不能用 ARC 做到这一点。或者,我可以调用 self.completion(error) 并让视图控制器处理它,但让 Getter 处理它更可重用,因此我不必每次使用它时都复制错误处理代码。由于我无法使用 ARC 手动保留,我如何确保 Getter 在显示警报视图后保持活动状态?

4

3 回答 3

0

您应该使 Getter 成为类的属性,并隐含地成为实例变量。

于 2013-08-10T21:12:56.493 回答
0

在 ARC 中,a 的等价物retain是将实例存储到strong属性中。这可以是显式的,也可以通过将其添加到数组中(如类的childViewControllersUIViewController。这样做将使实例保持活动状态,直到您将该属性设为 nil 或从数组中删除该实例。

于 2013-08-10T21:15:34.980 回答
0

不要忘记,块是在堆栈上分配的,因此它们会随着创建它们的上下文而消失。如果您复制一个块,则该副本被放置在堆中,因此它可以在创建块的代码返回后继续存在。我不确定在视图控制器中分配的块的生命周期是多少,但是如果需要,您可以通过这种方式保留它:

self.completion = [completionBlock copy];

于 2013-08-10T21:17:29.783 回答