我正在玩弄 NSOperationQueue 以便在后台运行一些代码并让它更新 UILabel 。这是 viewDidLoad 。
- (void)viewDidLoad
{
[super viewDidLoad];
queue = [[NSOperationQueue alloc] init];
NSInvocationOperation *operation = [[NSInvocationOperation alloc] initWithTarget:self selectorselector(counterTask) object:nil];
[queue addOperationperation];
}
下面是调用操作的方法:
- (void)counterTask {
for (int i=0; i<5000000; i++) {
if (i % 100 == 0) {
[self.firstLabel performSelectorOnMainThreadselector(setText
withObject:[NSString stringWithFormat"%d", i]
waitUntilDone:YES];
}
}
[self.firstLabel performSelectorOnMainThreadselector(setText withObject"finished." waitUntilDone:NO];
}
随着循环计数的增加,越来越多的 @"%d" NSString 被创建,内存使用自然会增加。然而,一旦循环完成,内存似乎并没有释放。我预计内存会下降,因为 setText: 消息使用 NSString 的新实例并释放旧实例。
如果我将循环条件更改为 i<5000000*2 ,到最后内存使用量大约会增加一倍 - 所以肯定是每次迭代都会发生一些事情导致泄漏。
为什么这里有内存泄漏?
编辑:忘了提到我正在使用 ARC。
Best Answer-推荐答案 strong>
ARC 不会删除 retain/release/autorelease,它只是控制这些方法的调用。您可以将自己的自动释放池添加到循环中以强制清理:
for (int i=0; i<5000000; i++) {
if (i % 100 == 0) {
@autoreleasepool {
[self.firstLabel performSelectorOnMainThreadselector(setText
withObject:[NSString stringWithFormat"%d", i]
waitUntilDone:YES];
}
}
}
关于ios - 在循环中重复分配 NSString,同时避免内存泄漏,我们在Stack Overflow上找到一个类似的问题:
https://stackoverflow.com/questions/23337194/
|