原本覺得在改爲ARC之後,再也不須要考慮內存問題了,但是在實踐中仍是發現有一些內存問題須要注意,今天我不談block的循環引用的問題,主要說說一些對象、數組不內存得不到釋放的狀況. 數組
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
|
//組織字典數據
- (NSMutableDictionary *)setupDicData{
NSMutableDictionary *dict = [NSMutableDictionary dictionary];
for
(
int
i = 0; i <= 30; i++) {
[dict setObject:[self setupArrayData] forKey:[NSString stringWithFormat:
@"%d%@"
,i,
@"class"
]];
}
return
dict;
}
//組織數組數據
- (NSMutableArray *)setupArrayData{
NSMutableArray *marry = [NSMutableArray array];
for
(
int
i = 0; i<=30; i++) {
NSString *s = [NSString stringWithFormat:
@"%@"
,
@"data-test"
];
[marry addObject:s];
}
return
marry;
}
|
運行+——oop
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
|
- (
void
)viewDidLoad {
[super viewDidLoad];
while
(
true
) {
//30.0定時執行
[NSThread sleepForTimeInterval:30.0];
NSDictionary *dict = [self setupDicData];
NSLog(
@"%@"
,dict);
//每次數據內存都得不到釋放
}
}
|
//按上代碼傳遞數組執行,每次數組、對象內存都得不到釋放。如圖:內存會無線的往上增長,直至崩潰。 spa
主要是你在iOS裏使用 while (true) {} 無線循環時, iOS ARC默認認爲你這個方法永遠沒有執行完,因此不會去主動釋放你方法裏的對象,這一點和JAVA不同, 因此不少JAVA開發者轉iOS後習慣性的使用while(true){} 致使項目裏存在這種內存隱患,致使內存無限增長。code
解決方法一:orm
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
|
//@autoreleasepool {}的做用是在每次循環一次,都會把內存主動釋放掉
- (
void
)viewDidLoad {
[super viewDidLoad];
while
(
true
) {
@autoreleasepool {
//30.0定時執行
[NSThread sleepForTimeInterval:30.0];
NSDictionary *dict = [self setupDicData];
NSLog(
@"%@"
,dict);
//每次數據內存都得不到釋放
}
}
}
|
內存圖,咱們發現很穩定,每次都會主動將內存釋放 解決方法二:對象
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
|
- (
void
)usingDatadosomething{
//30.0定時執行
[NSThread sleepForTimeInterval:0.10];
NSDictionary *dict = [self setupDicData];
NSLog(
@"%@"
,dict);
//每次數據內存都得不到釋放
}
- (
void
)viewDidLoad {
[super viewDidLoad];
[NSTimer scheduledTimerWithTimeInterval:30.0 target:self selector:@selector(usingDatadosomething) userInfo:self repeats:YES];
[[NSRunLoop currentRunLoop] run];
}
|
內存圖以下內存
解決方法三:ci