首页 > 代码库 > OC内存管理(二)
OC内存管理(二)
一:autorelease
2>自动释放池的创建方式
(1)ios 5.0以前的创建方式
NSAutoreleasePool *pool=[[NSAutoreleasePool alloc] init];
`````````````````
[pool release];//[pool drain];用于mac
(2)Ios5.0以后
@autoreleasepool
{//开始代表创建自动释放池
·······
}//结束代表销毁自动释放池
3,类调用类方法中,没有看到引用计数器减一的问题
例如 NSString *s = [NSString stringWithFormat:@“%d”, 10];这个代码中不需要我们手动释放内存,因为在stringWithFormat:方法内部已经完成了引用计数器减1的操作
代码:
#import "Person.h"#import <Foundation/Foundation.h>/** * @class 注意:继承关系中子类头文件不能用@class 因为子类要继承父类中的所有属性 */@interface Person : NSObject@property (nonatomic, retain) NSString *name;@property (nonatomic, assign) int age;- (instancetype)initWithName:(NSString *)name andAge:(int)age;+ (instancetype)personWithName:(NSString *)name andAge:(int)age;@end@implementation Person- (instancetype)initWithName:(NSString *)name andAge:(int)age{ if (self == [super init]) { self.name = name; self.age = age; } return self;}// 注意:也就是在类调用类方法中,alloc中引用计数器加1,因此需要手动释放,当时我们不能在下面调用release// 因为刚创建的对象我们就释放,毫无意义,因此我们将它加入到释放池中。由池子来释放+ (instancetype)personWithName:(NSString *)name andAge:(int)age{ /* 用self调用的原因: 我们为什么不用类名来调用alloc,因为person子类会继承这个方法,如果用Person的话,子类调用会创建父类的对象 */ return [[[self alloc] initWithName:name andAge:age] autorelease];}- (void)dealloc{ self.name = nil; NSLog(@"Person ------dealloc"); [super dealloc];}@end
Student类继承Person
#import "Student.h"#import "Person.h"@interface Student : Person@end@implementation Student-(void)dealloc{ NSLog(@"Student------dealloc"); [super dealloc];}@end
main函数中
#import <Foundation/Foundation.h>#import "Person.h"#import "Student.h"int main(int argc, const char * argv[]){ // 按道理说我们在ARC中创建对象的代码必须写在释放池中,因为编译器会将代码加到释放池中 @autoreleasepool { Person *p = [Person personWithName:@"zhangsan" andAge:10]; Student *s = [Student personWithName:@"lisi" andAge:20]; } return 0;}
Strong:相当于原来的retain(适用于OC对象类型),成员变量是强指针
Weak:相当于原来的assign,(适用于oc对象类型),成员变量是弱指针
Assign:适用于非OC对象类型(基础类型)
ARC也存在循环引用的问题:造成循环引用的原因,dealloc中无法调用,在dealloc中强指针引用的对象无法释放。
解决的办法:1>头文件中文件包含@class
2,property中的修饰符一端strong,一端week,dealloc中不要我们关心,编译器已经帮我们弄好。
4,将MRC代码转换成ARC代码怎么转换
步骤:1点击Xcode的 Edit
2,选择Edit中的Refactor
3,选择refactor中的convert to Object-c ARC就可以
将ARC转回MRC
步骤:1点击File文件中的Restore snaipshot就可以
OC内存管理(二)