iOS開發—懶加載數組
1.懶加載——也稱爲延遲加載,即在須要的時候才加載(效率低,佔用內存小)。所謂懶加載,寫的是其get方法.ide
注意:若是是懶加載的話則必定要注意先判斷是否已經有了,若是沒有那麼再去進行alloc initatom
2.咱們知道iOS設備的內存有限,若是在程序在啓動後就一次性加載未來會用到的全部資源,那麼就有可能會耗盡iOS設備的內存。這些資源例如大量數據,圖片,音頻等等spa
下面舉個例子:orm
1> 定義控件屬性,注意:屬性必須是strong的,示例代碼以下:對象
@property (nonatomic, strong) UIImageView *icon;圖片
@property (nonatomic, strong) UIButton *nextBtn;內存
@property (nonatomic, strong) NSArray *imageList;資源
2> 在屬性的getter方法中實現懶加載,示例代碼以下:開發
// 懶加載-在須要的時候,再實例化加載到內存中
/***圖片控件的延遲加載 ***/
-(UIImageView *)icon
{
//判斷是否已經有了,若沒有,則進行實例化
if (!_icon) {
_icon=[[UIImageView alloc]initWithFrame:CGRectMake(x, y, w, h)];
UIImage *image=[UIImage imageNamed:@"icon"];
_icon.image=image;
[self.view addSubview:_icon];
}
return _icon;
}
/***按鈕的延遲加載 ***/
-(UIButton *)nextbtn
{
//判斷是否已經有了,若沒有,則進行實例化
if (!_nextbtn) {
_nextbtn=[UIButton buttonWithType:UIButtonTypeCustom];
_nextbtn.frame=CGRectMake(0, self.view.center.y, 40, 40);
[_nextbtn setBackgroundImage:[UIImage imageNamed:@"normal"] forState:UIControlStateNormal];
[_nextbtn setBackgroundImage:[UIImage imageNamed:@"highlighted"] forState:UIControlStateHighlighted];
[self.view addSubview:_nextbtn];
[_nextbtn addTarget:self action:@selector(nextClick:) forControlEvents:UIControlEventTouchUpInside];
}
return _nextbtn;
}
/*** array的get方法 ***/
- (NSArray *)imageList{
// 只有第一次調用getter方法時,爲空,此時實例化並創建數組
if (_imageList == nil) {
// File表示從文件的完整路徑加載文件
NSString *path = [[NSBundle mainBundle] pathForResource:@"ImageData" ofType:@"plist"];
_imageList = [NSArray arrayWithContentsOfFile:path];
}
return _imageList;
}
如上面的代碼,有一個_imageList屬性,若是在程序的代碼中,有屢次訪問_imageList屬性,例以下面
self.imageList ;self.imageList ;self.imageList ;
雖然訪問了3次_imageList 屬性,可是當第一次訪問了imageList屬相,imageList數組就不爲空,
當第二次訪問imageList 時 imageList != nil,就不會再次在PList文件中加載數據了。
3. 使用懶加載的好處:
(1)沒必要將建立對象的代碼所有寫在viewDidLoad方法中,代碼的可讀性更強
(2)每一個控件的getter方法中分別負責各自的實例化處理,代碼彼此之間的獨立性強,鬆耦合
(3) 只有當真正須要資源時,再去加載,節省了內存資源。