首先申明一个属性propertyCeshi,@property声明的属性默认会生成一个_类型( _propertyCeshi )的成员变量,同时也会生成setter/getter方法。
@property (nonatomic,copy) NSString * propertyCeshi;
通过self.propertyCeshi 访问属性的方法包含了set和get方法。而通过下划线是获取自己的实例变量,不包含set和get的方法。
self.propertyCeshi 是对属性的访问;
_propertyCeshi 是对成员变量的访问。
在iOS5没有更改之前,属性的正常写法需要: 成员变量+ @property + @synthesize 成员变量三个步骤:
@interface ViewController () {
// 1.声明成员变量 (下划线就是对成员变量的访问,不会调用setter/getter方法)
NSString *myString;
}//2.在用@property
@property(nonatomic, copy) NSString *myString;
@end
@implementation ViewController
//3.最后在@implementation中用synthesize生成set方法
@synthesize myString;
@end
例如:
我们重写propertyCeshi的setter方法,然后给_propertyCeshi和self.propertyCeshi分别赋值
_propertyCeshi = @"x小明";//不会调用-(void)setPropertyCeshi:(NSString *)propertyCeshi 方法
self.propertyCeshi =@“x小明”; //调用
@property的声明中,编译器在生成 getter/setter 方法时是有优先级的,它首先查找当前的类中用户是否已定义属性的 getter/setter 方法,如果有,则编译器会跳过,不会再生成,使用用户定义的方法。 无论怎样你在使用self.propertyCeshi 时是都会调用一个getter方法,self.propertyCeshi 会让计数器+1;而_propertyCeshi,是直接调用变量,不通过getter方法。_propertyCeshi 是类似于 self->_propertyCeshi。
所以使用self.xxx是更好的选择,因为这样可以兼容懒加载,同时也避免了使用下滑线的时候忽略了self这个指针,后者容易在BLock中造成循环引用。另外,使用下划线是获取不到父类的属性。
最后总结:self方法实际上是用了get和set方法间接调用,下划线方法是直接对变量操作。
网友评论