关于iOS内存检测工具Analyze

  前些日子,由于刚接手一个项目没法直接写新东西就被安排调BUG了,在调试过程中遇到了很多内存泄漏问题。自己是刚出来工作的,没有工作经验,感觉完全无从下手啊,就去网上找资料,问大神,之后了解到了这个检测工具Analyze。

  XCode的Analyze可以分析到项目哪里有内存泄露.

  方法:xcode----product-----Analyze(快捷键:Shift + Cmd + B)

关于iOS内存检测工具Analyze_第1张图片

iOS的分析工具可以发现编译中的warning,内存泄漏隐患,甚至还可以检查出logic上的问题;所以在自测阶段一定要解决Analyze发现的问题,可以避免出现严重的bug;

常见问题

1.内存泄漏隐患提示:Potential Leak of an object allocated on line ……

2.数据赋值隐患提示:The left operand of …… is a garbage value;

3.对象引用隐患提示:Reference-Counted object is used after it is released;

以上提示均比较严重,可能会引起严重问题,需要开发者密切关注!

1、重写UIViewController的生命周期方法没有调用父类的方法

提示示例:The ‘viewWillAppear:’ instance method in UIViewController subclass ‘YourViewController’ is missing a [super viewWillAppear:] call

解决办法:

-(void)viewWillAppear:(BOOL)animated{

[superviewWillAppear:YES];

//your code...

}

2、初始化的变量并没有被使用

提示示例:value stored to ‘YourVariable’ is never read

解决办法:

如果无用的话,删除或者注释即可!

如果有用的话,检查为何没有被使用!

3、变量多次初始化,其中的某些初始化的变量并没有使用过

提示示例:value stored to ‘YourVariable’during its initialization is never read

错误代码示例:

NSMutableDictionary*dataDict=[NSMutableDictionarydictionary];

dataDict = [NSMutableDictionary dictionaryWithDictionary:dict];

NSDictionary*para = [NSDictionary dictionary];

if(orderType ==YES) {

para=@{@"act":@"mallorder_getInfo", @"oid": oid};

}else{

para =@{@"act":@"order_getInfo", @"oid": oid};

}

解决办法:

无用的初始化直接去掉!

NSMutableDictionary *dataDict = [NSMutableDictionary dictionaryWithDictionary:dict]; 

NSDictionary *para;

if(orderType ==YES) {

para=@{@"act":@"mallorder_getInfo",

@"oid": oid};

}else{

para =@{@"act":@"order_getInfo",

@"oid": oid};

}

4、重新父类的初始化方法时没有调用父类的初始化方法

错误代码示例:

-(instancetype)initWithFrame:(CGRect)frame{

if(self== [superinitWithFrame:frame]){

[selfsetView];

}

returnself;

}

解决办法:

先调用父类的初始化方法,再自定义处理

-(instancetype)initWithFrame:(CGRect)frame{

self = [superinitWithFrame:frame];

if (self) {

[selfsetView];

}

returnself;

}

5、属性标明错误(strong,retain,assign)

提示示例:potential leak of an object

错误代码示例:

关于iOS内存检测工具Analyze_第2张图片

解决办法:

如果使用的ARC,应该准确使用strong、retain、assign

(该例应将retain改为strong)

如果使用MRC:

@property(nonatomic, retain)标明该属性在使用其set方法时会自动retain一次。

self.leftView = [[UIView alloc] initWithFrame:...];这条语句,alloc使其引用计数+1,同时调用leftView的set方法,引用计数再+1,引用计数一共加了2次,而实际上我们想要的效果是引用计数只加1次,所以有内存泄露。正确的写法应该是: UIView *myView = [[UIView alloc] initWithFrame:...]; self.leftView = myView; [myView release]; 这样Analyze时就不会提示内存泄露。

看你的声明,应该是没有自动计数ARC的。所以要自己管理内存。

你的leftView泄露了,alloc那行,增加autorelease就可以了。

6、变量未初始化就使用了

提示示例:The left operand of ‘+’ is a garbage value

错误代码示例:

for(int i = 0; i < count; i++) {

if(i %2==0) {

NSInteger labelY;

    if(i ==0) {

         labelY = 100;

     }else{

         labelY = labelY + 30;

}

} else {

NSInteger labelY;

if(i ==1) {

   labelY = 100;

}else{

   labelY = labelY + 30;

    }

  }

}

解决办法:

具体情况具体分析!简化和条理化逻辑!

for(int i = 0; i < count; i++) {

NSInteger labelY = 100 + (i / 2) * 30;

}

你可能感兴趣的:(关于iOS内存检测工具Analyze)