Automatic Reference Counting (ARC), 自动引用计数,是开发Cocoa程序时的一个编译级别的特性,用于自动内存管理。

一个使用ARC的代码例子:

@interface Person : NSObject

@property (nonatomic, strong) NSString *firstName;

@property (nonatomic, strong) NSString *lastName;

@property (nonatomic, strong) NSNumber *yearOfBirth;

@property (nonatomic, strong) Person *spouse;

@end

@implementation Person

@synthesize firstName, lastName, yearOfBirth, spouse; @end

 

注意:不再需要重载dealloc函数,因为没有release操作。(strong的语义后面会介绍。

例子2

  • (void)contrived {

    Person *aPerson = [[Person alloc] init];

    [aPerson setFirstName:@"William"];

    [aPerson setLastName:@"Dudney"];

    [aPerson:setYearOfBirth:[[NSNumber alloc] initWithInteger:2011]];

    NSLog(@"aPerson: %@", aPerson);

}

注意:没有了release操作。

例子3

  • (void)takeLastNameFrom:(Person *)person {

    NSString *oldLastname = [self lastName];

    [self setLastName:[person lastName]];

    NSLog(@"Lastname changed from %@ to %@", oldLastname, [self lastName]);

}

注意:ARC会保证 oldLastname引用的对象在NSLog执行结束之前,不会被释放掉。

使用ARC的一些规则:

  • 不能直接调用dealloc方法,不能重载或直接调用retain, release, retainCount,  autorelease等方法。

    但可以通过@selector(retain), @selector(release)这样的形式调用。

    用户自定义的dealloc方法,不能调用[super dealloc] ,编译器会自动帮你添加这个代码。

    Core Foundation-style 的对象,仍可以使用CFRetain, CFRelease等方法。

  • 不能使用NSAllocateObjectNSDeallocateObject去创建对象,请使用alloc方法。

  • c语言中的结构体中,不能再使用对象指针。请放弃C结构体,使用Objective-C的类。

  • idvoid*之间没有隐式的类型转换,请使用显式类型转换。

  • 不能使用NSAutoreleasePoolARC提供了@autoreleasepool语句块。

    例如:

    @autoreleasepool {

    // Code, such as a loop that creates a large number of temporary objects.

}

  • 不能使用NSZone

  • 方法和变量的命名不能以“new”开头。

 

关于对象的生命周期:

  • weak引用:设置成weak的属性,不会影响对象的生命周期,如果引用的对象已经被释放,引用会指向nil

  • strong引用:设置成strong的属性,会影响对象的生命周期。

例如:

@property(strong) MyClass *myObject;  @property(retain) MyClass *myObject; 是等效的。

又例如:

@property(weak) MyClass *myObject;  @property(assign) MyClass *myObject; 在多数情况下等效,但当instance被释放时,设置为weak的引用会指向nil

 

可用的限定词:

  • __strong, 默认的

  • __weak

  • __unsafe_unretained, 和weak的区别是当对象被释放时,引用不指向nil

  • __autoreleasing,当方法的参数是id*,且希望方法返回时对象被autoreleased,可以添加__autoreleasing限定词。

 

使用__weak时要特别小心,例如

NSString __weak *string = [[NSString alloc] initWithFormat:@"First Name: %@", [self firstName]];

NSLog(@"string: %@", string); //此时 string为空,因为weak类型不影响对象的生命周期,对象刚创建就释放了。

 

其他特性:

  • 使用strong, weak, autoreleasing限定的变量会被隐式初始化为nil

    例如:

    - (void)myMethod { NSString *name;

NSLog(@"name: %@", name); //会输出null

}


另,欢迎大家补充和找bug。