是否有必要为IBOutlet字段定义属性?

时间:2010-06-18 21:11:25

标签: iphone

我见过许多iPhone示例,将IBOutlet用作链接到Interface Builder中UI控件的字段,该字段也被定义为接口类中的属性。例如,以下代码与Apple示例代码类似:

// in .h file
@interface MyViewController : UIViewController {
  IBOutlet UILabel* _firstName;
  IBOutlet UILabel* _lastName;
  ...
}

@property (nonatomic, retain) UILabel* firstName;
@property (nonatomic, retain) UILabel* lastName;
...
@end

// in .m file
@implementation MyViewController {
@synthetic firstName = _firstName;
@synthetic lastName = _lastName;
...
@end

我尝试将Interface Builder中的标签链接到我的控制器类IBOutlets,我可以看到_firstName和_lastName。由于链接直接从Interface Builder到我的接口类成员(如果我放置@private指令,甚至是私有的)。我是否需要为这些字段定义属性?

实际上,我试图删除这些属性,似乎我的代码工作正常。通过定义属性,我的类将它们公开为public。我没有任何使用或理由将它们作为我的代码内外的属性。我的问题是,如果这种做法,将字段定义为属性,是必要的吗?我是否会遗漏任何可能从Objective-C概念或框架中调用的内存管理?

1 个答案:

答案 0 :(得分:1)

正如Jeremie Wekdin提到的那样,我的问题在某种程度上是重复的。类似的问题和答案确实表明,在使用nib / xib文件的情况下,需要考虑内存问题。

简而言之,Cocoa将首先查找 setOutletName ,并使用property方法设置UI控件对象;否则,Cocoa将直接设置为类成员变量并保留它。这意味着归档对象应该以dealloc方法发布。

没关系。但是,如果我的问题是,我的字段变量与其对应的属性名称具有不同的名称,如_firstName和firstName。在这种情况下,我认为Cocoa不够聪明,无法弄清楚属性方法,并且从nib / xib检索的对象直接设置为类成员。

要验证它,我会覆盖setter:

// in .m file
@implementation MyViewController {
@synthetic firstName = _firstName;
- (void) setFirstName:(UILabel*) value {
   NSLog("_firstname: %@", _firstName);
   [_firstname autorelease];
   _firstName = [value retain];
}

然后我加载我的视图,日志消息没有显示在XCode的输出控制台中。但是,如果我保持变量名称和属性名称相同。我确实看到了setter:

// in .h
@interface MyViewController : UIViewController {
IBOutlet UILabel* firstName;
...
}

@property (nonatomic, retain) UILabel* firstName;
...
@end

// in .m file
@implementation MyViewController {
@synthetic firstName;
- (void) setFirstName:(UILabel*) value {
   NSLog("firstName: %@", firstName);
   [firstName autorelease];
   firstName = [value retain];
}
...
@end

在输出控制台中,当视图显示时,我看到:

firstName: (null)

正如重复的 QA建议,我读了Appl's Resource Programming Guide。在 Nib对象生命周期对象加载过程和#3 Outlet连接一节中找到该文档。您应该看到Mac OS X和iPhone OS有不同的方法将插座连接到对象。 “在iPhone OS中,nib加载代码使用setValue:forKey:方法重新连接每个插座”

所以我尝试了以下代码:

@implementation MyViewController {
@synthetic firstName = _firstName;
- (void) setValue:(id) value forKey:(NSString*) key {
   NSLog("forKey: %@; value: %@", key, value);
   if ([key isEqualToString:@"_firstName"])
     // It should then call the accessor or property 
     // self._firstName = value;
     // to set value, like the follow codes in the setter:
     [_firstName autorelease];
     _firstName = [value retain];
   }
   ...
}
...
@end

我再次重新编译了我的代码,我确实看到了所有属性setter调用,包括key _firstName。继续Apple的文档:

“该方法(setValue:forKey :)类似地寻找适当的访问器方法,并在失败时返回其他方法。”

这解释了为什么在我的情况下(属性名称与出口变量名称不同)该属性由Cocoa调用。

总之,当使用IBOutlet和nib / xib(作为加载视图的方式)进行字段控制时,存在内存问题。让Cocoa找出一个定义的访问器或属性来设置一个处理保留对象的字段变量会很不错。如果为IBOutlet字段变量定义属性,则两者应具有相同的属性。因此,这些代码可以在Mac OS X和iPhone OS中使用。