0

我不太了解委托模式中的内存管理。

在 Controller 中,如果它拥有该对象。我们应该为它分配一个强指针。这样它所拥有的对象就不会丢失。

我创建了一个小型库类来帮助我进行异步连接,它拥有一个指向采用其协议的 ViewController 的弱指针。连接完成后,数据被发送回 ViewController。

#import <Foundation/Foundation.h>

@protocol AsyncConnectionDelegate;

@interface AsyncConnection : NSObject <NSURLConnectionDataDelegate>
@property (weak, nonatomic) id <AsyncConnectionDelegate> delegate;

-(void)callAsyncConnectionAtUrl:(NSString *)url dictionary:(NSDictionary *)dictionary method:(NSString *)method delegate:(id)delegate;
@end

@protocol AsyncConnectionDelegate <NSObject>
- (void)finishConnectionWithData:(NSData *)data connection:(AsyncConnection *)connection;
@end

用法:(按下按钮时)

// user input
NSString *username = _usernameTextField.text;
NSString *password = _pwdTextField.text;

//create dictionary key-value pair for transformming into NSData
NSMutableDictionary *loginKeyValue = [[NSMutableDictionary alloc]init];
[loginKeyValue setObject:username forKey:@"username"];
[loginKeyValue setObject:password forKey:@"password"];


AsyncConnection *conc = [[AsyncConnection alloc]init];
[conc callAsyncConnectionAtUrl:@"http://localhost:3000/login.json" dictionary:loginKeyValue method:@"POST" delegate:self];

这里*conc只是一个局部变量,视图控制器并没有对它持有强引用。所以在我看来,它应该在方法完成执行时被杀死。但是,它可以是活动的并将数据发送回 ViewController。

委托方法

- (void)finishConnectionWithData:(NSData *)data connection:(AsyncConnection *)connection{

    NSLog(@"Connection Object : %@", connection );

    Member *member = [Member initWithData:data];
    NSLog(@"member username \n %@",member.username);
    NSLog(@"member password \n %@",member.password);

    NSString *msg = (member.username)?@"Login Success":@"Failed to login";

    UIAlertView *alert = [[UIAlertView alloc] initWithTitle:@"NOTICE!!" message:msg delegate:nil cancelButtonTitle:@"OK" otherButtonTitles:nil];
    [alert show];
}

该类只是使用此方法发送数据:它是 NSURLConnection 的委托方法:

- (void)connectionDidFinishLoading:(NSURLConnection *)connection{
    [_delegate finishConnectionWithData:_downloadData connection:self];   
}

我尝试两次记录连接对象的内存地址,它们是不同的。(我按了两次按钮)。所以我想知道连接对象什么时候会被杀死。

4

2 回答 2

3

行为取决于-[AsyncConnection callAsyncConnectionAtUrl:dictionary:method:delegate:].

如果它什么也没做,那么你是对的,你会期望在AsyncConnection *conc按下按钮的方法结束时释放它,因为没有其他人会保留它。

但是,-callAsyncConnectionAtUrl:可能会导致self保留一段时间。(它是否传递self给可能保留它的其他代码?或者它是否包含一个引用 的块,self然后将该块传递给其他代码?)

如果您想知道AsyncConnection在实践中何时解除分配,很容易找到:添加 to 的实现,deallocAsyncConnection其中设置断点,然后运行您的代码。

于 2012-12-30T07:30:13.623 回答
1

通过对象的名称,它可能会创建一个 NSURLConnection 并将自己设置为委托。从 NSURLConnection 的文档中:

特别注意事项

在下载期间,连接保持对委托的强引用。当连接完成加载、失败或被取消时,它会释放该强引用。

所以有一个迷你(有意的)保留周期让您的 AsycConnection 对象保持活动状态。

于 2012-12-30T08:11:55.083 回答