一. 属性,成员变量,实例变量

在讨论之前我先给大家推荐一个 NSObject 的类扩展 NSObject+DLIntrospection 利用 runtime,扩展了获取类的属性,实例变量,实例方法,类方法,协议protocol 等列表的方法,后面的讲解我们需要用到它。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
#import <Foundation/Foundation.h>
@interface NSObject (DLIntrospection)
+ (NSArray *)classes; // 获取所有的类名
+ (NSArray *)properties; // 获取属性列表
+ (NSArray *)instanceVariables; // 获取实例变量列表
+ (NSArray *)classMethods; // 获取类方法列表(+方法)
+ (NSArray *)instanceMethods; // 获取实例方法列表(-方法)
+ (NSArray *)protocols; // 获取协议列表
+ (NSDictionary *)descriptionForProtocol:(Protocol *)proto;
+ (NSString *)parentClassHierarchy; // 当前类的继承关系
@end

废话少说,先看代码
.h 源码

1
2
3
4
5
6
@interface HMTestClass : NSObject
{
NSString *_ivarInterface; // 实例变量,在iOS开发中也叫成员变量
}
@property (nonatomic, copy) NSString *propertyInterface;
@end

再看 .m 源码

1
2
3
4
5
6
7
8
9
@interface HMTestClass ()
@property (nonatomic, copy) NSString *propertyImplementation;
@end
@implementation HMTestClass
{
NSString *_ivarImplementation; // 实例变量,在iOS开发中也叫成员变量
}
@end

最后咱们看看调试输出结果

1
2
3
4
5
6
// 获取属性输出结果
(lldb) po [HMTestClass properties]
<__NSArrayI 0x100200c40>(
@property (nonatomic, copy) NSString* propertyImplementation,
@property (nonatomic, copy) NSString* propertyInterface
)

1
2
3
4
5
6
7
8
// 获取实例变量输出结果
(lldb) po [HMTestClass instanceVariables]
<__NSArrayI 0x100300430>(
NSString* _ivarInterface,
NSString* _ivarImplementation,
NSString* _propertyInterface,
NSString* _propertyImplementation
)

看到这里,我们首先可以得出结论:

  1. 属性 即用 @property 声明的部分,它可以在 .h 文件里,也可以在 .m 文件里,在 .m 里即为私有属性;
  2. 实例变量 即为被包含在 @interface 和 @implementation 下的大括号里的,以及 @property 时编译器为我们自动生成的两部分组成;

我们还看到用 @property 声明的属性 propertyInterface 和 propertyImplementation,编译器自动给我们生成了对应以下划线 _ 开头的 实例变量,这一部分也是个学问,后一部分再讲

关于 成员变量 我认为就是 实例变量,两者等价,又或者仅仅只是 @interface 下的部分。
当然有官方更准确的描述的,非常非常欢迎感谢前来指正!!!

概括一下:
咱们用比喻的修辞手法来说,属性 是个口袋,属性名称描述它是上衣口袋,裤兜,还是其他位置的口袋,没有有实际意义,只让外界看到有一个口袋,当然口袋也可以缝在里面(在 .m 文件里声明),只有自己知道,当然放在外面的,也有可能只是看起来像个口袋,不能装东西(.m 里使用了 @dynamic 但忘记自己实现 set get,后面再详细介绍),而 实例变量 就是在口袋里存放的实实在在的东西。

二. @property,@synthesize,@dynamic

  • @property
    • 属性声明关键字,有三个类别的关键词分别描述该属性的:线程限制,内存管理,读写权限三方面的表现,默认情况下,基本数据类型为 atomic, assign, readwrite,OC 对象为 atomic, strong, readwrite
    • 若 .m 文件不使用 @synthesize 和 @dynamic,编译器会自动生成属性的 set get 方法,并生成 已下划线 _ 加属性名的实例变量;
  • @synthesize
    • @synthesize property; 这种情况下,编译器生成的实例变量没有了下滑下;
    • @synthesize property = _ivar; 这种情况下,编译器不再生成实例变量,对 property 调用set get 实际操作的是 _ivar 实例变量,即这个口袋里放的是 _ivar;
  • @dynamic
    • @dynamic property; 编译器不会生成实例变量,同时也不会实现 set get 方法,需要开发者自己手写,如若忘记自己实现 set get,碰到对 set get 进行的调用的地方,程序会 crash,报unrecognized selector的异常



end