I had an interview, and I was asked to create a memory leak with Objective-C and Swift.So how to create a memory leak with Objective-C and Swift?
可以将文章内容翻译成中文,广告屏蔽插件可能会导致该功能失效(如失效,请关闭广告屏蔽插件后再试):
问题:
回答1:
You just need to create a reference cycle. Obj-C:
@interface MyClass : NSObject
@property (strong) MyClass *otherObject;
@end
@implementation MyClass
@end
//...
MyClass *a = [MyClass new];
MyClass *b = [MyClass new];
a.otherObject = b;
b.otherObject = a;
The same applies to Swift:
class MyClass {
var otherObject: MyClass?
}
let a = MyClass()
let b = MyClass()
a.otherObject = b
b.otherObject = a
Reason: a
holds a strong reference to b
, and b
holds a strong reference to a
. ARC doesn't have any garbage collection in runtime. It just tracks the reference count. In this situation, even if we don't have any references to a
or b
in code, their reference count will never reach 0
, since they reference each other (unless we'll break this cycle manually).
UPD (kudos to @Sulthan): you don't actually even need two objects, a strong self reference is enough:
a.otherObject = a
回答2:
The block example:
@interface Foo:NSObject
@property(strong, copy) dispatch_block_t block;
- (void)doTheMagic;
@end
...
Foo *f = [Foo new];
f.block = ^{
[f doTheMagic];
};
The fix:
Foo *f = [Foo new];
__weak typeof(f) __weakF = f;
f.block = ^{
// you can do the __strong dance here if you use __weakF more than once
[__weakF doTheMagic];
};
The malloc example:
void leakVampires() {
void *buffy = malloc(42);
}
...
leakVampires();
回答3:
If CGImageRef objected created and not released, then ARC can't release these objects.