0

我真的无法理解为什么这不能正常工作。我有一个带有动态原型的 TableViewController。我在一个名为“InfoCell”的原型中放置了 4 个标签,并给了它们约束。如果我使用以下 cellForRowAtIndexPath 运行应用程序:

-(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
    NSString *cellIdentifier = @"InfoCell";
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:cellIdentifier];

    return cell;
}

我得到的是这个。一切看起来都很好,直到现在

我这样做只是为了检查标签是否显示在正确的位置。该页面应该显示 2 个单元格,所以一切看起来都很好。

现在,当我尝试获取对标签的引用以更改文本时,问题就开始了。即使没有实际更改文本,如果我的代码如下所示:

-(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
    NSString *cellIdentifier = @"InfoCell";
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:cellIdentifier];

    UILabel *nameLabel = (UILabel *)[cell viewWithTag:10];
    UILabel *surnameLabel = (UILabel *)[cell viewWithTag:20];
    UILabel *roleLabel = (UILabel *)[cell viewWithTag:30];
    UILabel *spouseNameLabel = (UILabel *)[cell viewWithTag:40];

    [cell addSubview:nameLabel];
    [cell addSubview:surnameLabel];
    [cell addSubview:roleLabel];
    [cell addSubview:spouseNameLabel];

    return cell;
}

我明白了。标签的位置疯了

例如,我尝试以编程方式更改每个标签的框架,

nameLabel.frame = CGRectMake(15.0, 50.0, 120.0, 20.0)

但它只是没有做任何事情,我想是因为启用了自动布局......但我在项目中太远了,无法禁用自动布局。另外,我已经看到上面写的 viewWithTag 的使用不需要以编程方式重新定位标签,所以我不知道那里到底发生了什么让我很烦恼!

4

1 回答 1

0

请记住,当您constraints添加了任何 UI 对象时,您无法通过更改该对象的CGRect. 事实上,你应该改变它的constraint值。现在您的代码中的问题是,

[cell addSubview:nameLabel];
[cell addSubview:surnameLabel];
[cell addSubview:roleLabel];
[cell addSubview:spouseNameLabel];

以上4行。当您UILabel在情节提要中添加了一个后,为什么还要使用addSubview方法再次添加它们?删除以上 4 行,并在您UILabeltag. 所以你的方法应该如下所示。

-(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
  NSString *cellIdentifier = @"InfoCell";
  UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:cellIdentifier];

  UILabel *nameLabel = (UILabel *)[cell viewWithTag:10];
  UILabel *surnameLabel = (UILabel *)[cell viewWithTag:20];
  UILabel *roleLabel = (UILabel *)[cell viewWithTag:30];
  UILabel *spouseNameLabel = (UILabel *)[cell viewWithTag:40];

  nameLabel.text = @"";
  surnameLabel.text = @"";
  roleLabel.text = @"";
  spouseNameLabel.text = @"";

  return cell;
}
于 2016-01-20T12:19:45.877 回答