1、Value stored to 'xxx' during its initialization is never read
容易出现这个问题的情况:一个数据源却申请了两块内存。导致另外一个内存没用了。如:
例子1:想把两个可变数组分情况赋值
//NSMutableArray *tempArray = [NSMutableArray arrayWithCapacity:0]; //错误
NSMutableArray *tempArray; //正确:只需做一个可变数组tempMutArr的声明,不需要给它分配实际内存
if (self.mSwitch.isOn) {
tempArray = self.array1;
}else{
tempArray = self.array2;
}
例子2:取值
//NSMutableArray *datesArray = [[NSMutableArray alloc]init];//错误
NSMutableArray *datesArray = nil; //正确
datesArray = [_onDemandDictionary objectForKey:key];
上述标明错误的语句的的错误原因是:那样做会导致整段代码下来出现了一个数据源却申请了两块内存的情况。从而导致静态检测内存泄露的时候,有有内存泄漏的提示 Value stored to 'tempMutArr' during its initialization is never read。
2、Value stored to "xxx"is never read
Value stored to "xxx"is never read 即表示该变量只是被赋值却并没有被使用。解除这个:删除(或者注视)这行代码OK;
3、potential leak of an object stored into
情况1:CFURLCreateStringByAddingPercentEscapes得到的值是CFStringRef,需要使用(__bridge_transfer NSString *)
来转成NSString。常发生在对 URL 进行 Encode
CFStringRef cfString = CFURLCreateStringByAddingPercentEscapes(...);
NSString *string = (__bridge_transfer NSString *)cfString; //注意是` (__bridge_transfer NSString *)`而不是` (__bridge NSString *)`
情况2:
CGColorSpaceRef colorSpace = CGColorSpaceCreateDeviceRGB();
CGGradientRef gradient = CGGradientCreateWithColors(colorSpace, (__bridge CFArrayRef)colors, locations);
......
CGColorSpaceRelease(colorSpace); //最后需要释放资源
CGGradientRelease(gradient); //最后需要释放资源
4、Property of mutable type ’NSMutableArray/NSMutableAttributedString’ has ‘copy’ attribute,an immutable object will be stored instead
//错误做法
@property (nonatomic, copy) NSMutableArray *array;
@property (nonatomic, copy) NSMutableAttributedString *attributedString;
//正确做法
@property (nonatomic, strong) NSMutableArray * array;
@property (nonatomic, strong) NSMutableAttributedString *attributedString;
分析: NSMutableArray是可变数据类型,应该用strong来修饰其对象。
说明: Analyzer由于是编译器根据代码进行的判断, 做出的判断不一定会准确, 因此如果遇到提示, 应该去结合代码上文检查一下;还有某些造成内存泄漏的循环引用通过Analyzer分析不出来。
5、the left operand of '!=' is a garbage value
当出现这个警告(内存泄露)的时候,是由于你左边的变量在不满足上面if的条件的时候,没有给所提示的'!='符号的左边变量赋值,会造成这样的警告。解决办法是:可以将该左边变量初始化一个值,或者保证在进行if判断的时候一定有值。
CLLocationCoordinate2D locationCoordinate;
if(locationCoordinate.latitude != 0 && locationCoordinate.longitude != 0)
{
}
//正确
CLLocationCoordinate2D locationCoordinate;
passCoordinate = CLLocationCoordinate2DMake(0, 0); //补充初始化
if(locationCoordinate.latitude != 0 && locationCoordinate.longitude != 0)
{
}
结束!
网友评论