0

我有一个字符串数组,它显示在 uitableview 中。当用户点击排序按钮时,数组被排序,然后我使用 [tableview reloaddata]。以便新排序的内容显示在表格中。但是当我选择特定单元格时,该单元格显示两个相互重叠的文本,新排序的文本和先前存在于该单元格中的文本。为什么会这样。

这是我显示单元格的代码。

-  (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath

{

static NSString *CellIdentifier  =  @"Cell";

UITableViewCell *cell  =  [tableView dequeueReusableCellWithIdentifier:CellIdentifier];

if (cell ==   nil) {

    cell  =  [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:CellIdentifier] ;


} 


UILabel * timeLabel = [[UILabel alloc]initWithFrame:CGRectMake(190, 0, 120, tableView.rowHeight)];
timeLabel.text = [[dataArray objectAtIndex:indexPath.row] time];
[cell.contentView addSubview:timeLabel];


return cell ;
}

这是我的排序代码。

-(void)sortByTime{

NSSortDescriptor *sortDescriptor;
sortDescriptor = [[NSSortDescriptor alloc] initWithKey:@"time"
                                             ascending:NO] ;
NSArray *sortDescriptors = [NSArray arrayWithObject:sortDescriptor];
NSArray *sortedArray;

dataArray =  [sql getTableData];  // get data from sql file

sortedArray = [dataArray sortedArrayUsingDescriptors:sortDescriptors];

dataArray = [[NSMutableArray alloc]initWithArray:sortedArray];

[dataTableView reloadData];

}
4

2 回答 2

1

你的代码有问题。您正在使用可重复使用的单元格,问题是您没有重新使用单元格内的视图。特别是时间标签。每次使用单元格时,您都在创建一个新的 timeLabel,当您重用一个单元格时,您会在单元格中添加一个 adicional 标签,这可能是文本重叠的原因。

为了重复使用标签,您应该为 UILabel 设置一个 TAG 编号,并在创建新的 uilabel 之前检查单元格是否已经有一个。

我会替换代码:

UILabel * timeLabel = [[UILabel alloc]initWithFrame:CGRectMake(190, 0, 120, tableView.rowHeight)];
timeLabel.text = [[dataArray objectAtIndex:indexPath.row] time];
[cell.contentView addSubview:timeLabel];

和:

UILabel * timeLabel = [cell viewWithTag:55]
if(!timeLabel) {
    timeLabel = [[UILabel alloc]initWithFrame:CGRectMake(190, 0, 120, tableView.rowHeight)];
    timeLabel.tag = 55;
    [cell.contentView addSubview:timeLabel];
}

timeLabel.text = [[dataArray objectAtIndex:indexPath.row] time];

标签号的值由您决定,我仅以 55 为例。祝你好运!

于 2012-04-12T12:33:18.097 回答
0

因为您想要一个自定义单元格,并且每次发生这种情况时您只需将新的子视图放入单元格中,您必须使用在不同 nib 中创建的自定义单元格并使用它来显示您的数据

只需制作新笔尖并从新笔尖加载它,这样您就可以获得正确的数据

或者可以检查单元格的 contentView 中是否有任何子视图,然后先删除它们,然后添加新创建的子视图

于 2012-04-12T12:18:09.233 回答