UITableView中的cell可以有很多唁影,一般會(huì)通過(guò)重用cell來(lái)達(dá)到節(jié)省內(nèi)存的目的:通過(guò)為每個(gè)cell指定一個(gè)重用標(biāo)識(shí)符(reuseIdentifier),即指定了單元格的種類,當(dāng)cell滾出屏幕時(shí),會(huì)將滾出屏幕的單元格放入重用的緩存池中掂名,當(dāng)某個(gè)未在屏幕上的單元格要顯示的時(shí)候,就從這個(gè)緩存池中取出單元格進(jìn)行重用卓舵。
但對(duì)于多變的自定義cell膀钠,有時(shí)這種重用機(jī)制會(huì)出錯(cuò)。比如融击,當(dāng)一個(gè)cell含有一個(gè)UITextField的子類并被放在重用queue中以待重用雳窟,這時(shí)如果一個(gè)未包含任何子視圖的cell要顯示在屏幕上,就會(huì)取出并使用這個(gè)重用的cell顯示在無(wú)任何子視圖的cell中封救,這時(shí)候就會(huì)出錯(cuò)。
解決方法:
方法1
將獲得cell的方法從- (UITableViewCell)dequeueReusableCellWithIdentifier:(NSString)identifier 換為-(UITableViewCell *)cellForRowAtIndexPath:(NSIndexPath *)indexPath
重用機(jī)制調(diào)用的就是dequeueReusableCellWithIdentifier這個(gè)方法鹅士,方法的意思就是“出列可重用的cell”掉盅,因而只要將它換為cellForRowAtIndexPath(只從要更新的cell的那一行取出cell),就可以不使用重用機(jī)制趾痘,因而問(wèn)題就可以得到解決,雖然可能會(huì)浪費(fèi)一些空間永票。
示例代碼:
[objc] view plain copy
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
static NSString *CellIdentifier = @"Cell";
// UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier]; //改為以下的方法
UITableViewCell *cell = [tableView cellForRowAtIndexPath:indexPath]; //根據(jù)indexPath準(zhǔn)確地取出一行侣集,而不是從cell重用隊(duì)列中取出
if (cell == nil) {
cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:CellIdentifier];
}
//...其他代碼
}</span>
方法2
通過(guò)為每個(gè)cell指定不同的重用標(biāo)識(shí)符(reuseIdentifier)來(lái)解決。 重用機(jī)制是根據(jù)相同的標(biāo)識(shí)符來(lái)重用cell的,標(biāo)識(shí)符不同的cell不能彼此重用罚攀。于是我們將每個(gè)cell的標(biāo)識(shí)符都設(shè)置為不同,就可以避免不同cell重用的問(wèn)題了斋泄。
示例代碼:
[objc] view plain copy
-
(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{NSString *CellIdentifier = [NSString stringWithFormat:@"Cell%d%d", [indexPath section], [indexPath row]];//以indexPath來(lái)唯一確定cell
UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier]; //出列可重用的cell
if (cell == nil) {
cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:CellIdentifier];
}
//...其他代碼
}
方法3
刪除重用cell的所有子視圖
這個(gè)方法是通過(guò)刪除重用的cell的所有子視圖炫掐,從而得到一個(gè)沒(méi)有特殊格式的cell睬涧,供其他cell重用。
示例代碼:
[objc] view plain copy
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
static NSString *CellIdentifier = @"Cell";
UITableViewCell cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier]; //出列可重用的cell
if (cell == nil) {
cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:CellIdentifier];
}
else
{
//刪除cell的所有子視圖
while ([cell.contentView.subviews lastObject] != nil)
{
[(UIView)[cell.contentView.subviews lastObject] removeFromSuperview];
}
}
//...其他代碼
}
原網(wǎng)址:http://blog.csdn.net/dylan_lwb_/article/details/38854407