iOS学习iOS Developer

类的成员变量和属性

2017-06-16  本文已影响110人  傻子與白癡

类的成员变量和属性

在看老项目代码时,我们经常会看到这样的代码:

@interface ViewController ()
{
    
    NSString *_name;
    NSUInteger _age;
    
}

@property (nonatomic, copy) NSString *name;
@property (nonatomic, assign) NSUInteger age;

@end


@implementation ViewController

@synthesize name = _name;
@synthesize age = _age;

@end

然而,我们现在写代码时发现并没有写的这么复杂

@interface ViewController ()

@property (nonatomic, copy) NSString *name;
@property (nonatomic, assign) NSUInteger age;

@end

@implementation ViewController

@end

其实,发生这种状况的根本原因是苹果将默认编译器从GCC转换为了LLVM(low level virtual machine),才不再需要为属性声明实例变量了

在没有更改之前,属性的正常写法需要三个步骤:

成员变量 + @property + @synthesize 成员变量

如果我们只写

成员变量 + @property 

@interface ViewController ()
{
    
    NSString *myString;
    
}
@property (nonatomic, copy) NSString * myString;
@end

编译时会报警告

Autosynthesized property '�myString' will use synthesized instance variable '_myString', not existing instance variable 'myString'

但更换为LLVM之后,编译器会在编译过程中检查有没有相应的实例变量,发现没有相应的实例变量就会自动生成一个带下划线开头的实例变量。因此,现在我们不必再声明一个实例变量。(注意:是不必要,不是不可以)

@synthesize 语句只能被用在implementation代码段中,@synthesize的作用就是让编译器为你自动生成setter与getter方法,@synthesize 还有一个作用,可以指定与属性对应的实例变量,例如@synthesize myButton = xxx;那么self.myButton其实是操作的实例变量xxx,而不是_myButton了。

如果.m文件中写了@synthesize myButton;那么生成的实例变量就是myButton;如果没写@synthesize myButton;那么生成的实例变量就是_myButton。所以跟以前的用法还是有点细微的区别。

成员变量

创建一个MidStudent类继承Student,可以发现,在MidStudent可以访问_name_sex_score,不能访问_age和.m中的所有成员变量;在类外部,可以访问_name_score,其余的都不能访问。

属性

属性声明以关键词@property开头。@property 可以出现在类的 @interface 块中方法声明的任何地方。@property 还可以出现在protocol 或者 category声明中。

@property声明的属性不仅仅默认给我们生成一个_类型的成员变量,同时也会生成setter/getter方法。

那些事儿
Q:我们能否认为新编译器LLVM下的@property == 老编译器GCC的成员变量+ @property + @synthesize 成员变量呢?
A:否定的。 因为成员变量+ @property + @synthesize 成员变量的形式,编译器不会帮我们生成_成员变量,因此不会操作_成员变量了;同时@synthesize还有一个作用,可以指定与属性对应的实例变量,例如@synthesize myString = xxx;那self.myString其实是操作的实例变量xxx,而非_String了。

补充 -- 类别中的属性

经常会在ios的代码中看到在类别中添加属性,比如在:UINavigationController.h文件中会对UIViewController类进行扩展。

@interface UIViewController (UINavigationControllerItem)
@property(nonatomic,readonly,retain) UINavigationItem *navigationItem;
@property(nonatomic) BOOL hidesBottomBarWhenPushed;
@property(nonatomic,readonly,retain) UINavigationController *navigationController;
@end

注意:在这种情况下,是不会自动生成实例变量的,并且不会自动生成setter/getter方法。编译器会报出警告:

Property 'xxx' requires method 'xxx' to be defined - use @dynamic or provide a method implementation in this category 
Property 'xxx' requires method 'setxxx:' to be defined - use @dynamic or provide a method implementation in this category

原则上类别是只能增加方法,能增加属性的原因是通过runtime解决无setter/getter的问题。

上一篇下一篇

猜你喜欢

热点阅读