1

如果我打电话:

-[UITableView dequeueReusableCellWithIdentifier]

然后我选择不在此方法中重用单元格

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

是否一定要引入泄漏?我的猜测是,dealloced一旦自动释放池耗尽。

4

4 回答 4

3

是的,这会导致泄漏。通过子类化经验尝试UITableViewCell

static int instances = 0;
- (id)initWithStyle:(UITableViewCellStyle)style reuseIdentifier:(NSString *)reuseIdentifier
{
    self = [super initWithStyle:style reuseIdentifier:reuseIdentifier];
    if (self) {
        NSLog(@"Init! instances=%d", instances++);
    }
    return self;
}

-(void)dealloc {
    NSLog(@"Dealloc! instances=%d", --instances);
}

如果你不使用从dequeueReusableCellWithIdentifier你那里回来的细胞,就会有泄漏。

这个问题有两种解决方案:

  1. dequeueReusableCellWithIdentifier使用你应该使用的结果或
  2. nil用作reuseIdentifier; _ 则不会引入泄漏。这是最好的解决方案,除非您的表有很多行,并且您不想处理重用的混乱。
于 2013-03-24T21:40:46.433 回答
2

是的,dequeueReusableCellWithIdentifier返回一个自动释放的对象,并且不会导致内存泄漏。

但是,如果您选择不重用单元格(无论出于何种原因),则无需先调用dequeueReusableCellWithIdentifier

更新:您可以使用以下代码检查内部重用队列中存储了多少单元格:

NSDictionary *reuseDict = [self.tableView valueForKey:@"reusableTableCells"];
NSArray *reuseArray = [reuseDict objectForKey:CellIdentifier];
NSLog(@"%d", [reuseArray count]);

我使用 Master-Detail Xcode 应用程序对此进行了测试,在该应用程序中我删除了对dequeueReusableCellWithIdentifier. 重用队列中的单元格数量增加到横向最多 17 个,纵向最多 23 个。这正是可见细胞的数量加一。所以这个数量确实是有限的,即使你从不重复使用单元格。

于 2013-03-22T21:00:25.947 回答
1

如果您不返回由dequeueReusableCellWithIdentifierin返回的 UITableViewCell,- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath;则它可能会造成泄漏,具体取决于您在做什么。当 table view 释放时,返回的单元格dequeueReusableCellWithIdentifier会自动释放,因为 table view 持有对该方法返回的每个单元格的引用。

例如,如果您像这样dequeueReusableCellWithIdentifier反复调用,您将遇到问题- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath

- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath
{
    CustomCell *cell = [tableView dequeueReusableCellWithIdentifier:@"CustomCell"];
    // calculate height
    // ...
}

在上面的代码dequeueReusableCellWithIdentifier中,每次调用这个方法时都会返回新的单元格,所以当你滚动表格视图时内存使用会增加。但是,在稍后的某个时间点,这些分配的单元格dequeueReusableCellWithIdentifier将在重新释放表视图时自动释放。

于 2015-02-05T11:52:42.063 回答
0

不,这不会导致泄漏,但也不一定是内存高效的。如果您希望自动为您处理所有这些单元重用杂务,请考虑使用诸如优秀的 Sensible TableView(免费)之类的框架。

于 2013-03-23T22:03:04.443 回答