89

我最近一直在使用enumerateObjectsUsingBlock:很多东西来满足我的快速枚举需求,而且我很难理解BOOL *stop枚举块中的用法。

NSArray引用状态

stop:对布尔值的引用。该块可以设置该值以YES停止对数组的进一步处理。该stop论点是仅出论点。您应该只将此布尔值设置YES为块内。

所以当然我可以在我的块中添加以下内容来停止枚举:

if (idx == [myArray indexOfObject:[myArray lastObject]]) {
    *stop = YES;
}

据我所知,不明确设置*stopYES没有任何负面影响。枚举似乎在数组末尾自动停止。那么在一个块中使用*stop真的有必要吗?

4

1 回答 1

158

Block的stop参数允许您过早地停止枚举。这相当于break来自正常for循环。如果要遍历数组中的每个对象,可以忽略它。

for( id obj in arr ){
    if( [obj isContagious] ){
        break;    // Stop enumerating
    }

    if( ![obj isKindOfClass:[Perefrigia class]] ){
        continue;    // Skip this object
    }

    [obj immanetizeTheEschaton];
}

[arr enumerateObjectsUsingBlock:^(id obj, NSUInteger idx, BOOL *stop) {
    if( [obj isContagious] ){
        *stop = YES;    // Stop enumerating
        return;
    }

    if( ![obj isKindOfClass:[Perefrigia class]] ){
        return;    // Skip this object
    }

    [obj immanentizeTheEschaton];
}];

这是一个 out 参数,因为它是对来自调用范围的变量的引用。它需要在您的 Block 中设置,但在 内部读取enumerateObjectsUsingBlock:,就像NSErrors 通常从框架调用传回您的代码一样。

- (void)enumerateObjectsUsingBlock:(void (^)(id obj, NSUInteger idx, BOOL *stop))block {
    // N.B: This is probably not how this method is actually implemented!
    // It is just to demonstrate how the out parameter operates!

    NSUInteger idx = 0;
    for( id obj in self ){

        BOOL stop = NO;

        block(obj, idx++, &stop);

        if( stop ){
            break;
        }
    }
}
于 2012-09-10T19:09:49.203 回答