Removing object from NSMutableArray

前端 未结 5 1417
栀梦
栀梦 2020-12-03 21:28

I stumbled across the following shortcut in setting up a for loop (shortcut compared to the textbook examples I have been using):

for (Item *i in items){ ...         


        
相关标签:
5条回答
  • 2020-12-03 21:51

    An Objective-C collection must not be modified during enumeration.

    You may use this variant to delete objects from collection:

    for (NSInteger i = items.count - 1; i >= 0 ; i--) {
       [items removeObjectAtIndex:i];
    }
    
    0 讨论(0)
  • 2020-12-03 21:52

    The former loop is a "for-each" loop in Objective C.

    *i is a pointer to the direct item in the items-Array (most of the time this will be NSMutableArray).

    This way you can operate directly on the item:

    [items removeObject: i];
    

    This (should) work - I am currently not working on my Mac and can't check it. However it might be that Objective-C Prevents removing objects while iterating over the collection (that is quite common in most languages).

    0 讨论(0)
  • 2020-12-03 22:07

    You cannot remove objects from array while fast-enumerating it:

    numeration is “safe”—the enumerator has a mutation guard so that if you attempt to modify the collection during enumeration, an exception is raised.

    Anyway why do you need to change you container while enumerating it? Consider storing elements that need to be deleted and remove them from your container using removeObjectsInArray: or removeObjectsAtIndexes: method.

    0 讨论(0)
  • I use this code for this:

    for (NSUInteger i = [items count] - 1; ; i--) {
         [items removeObjectAtIndex:i];
    }
    
    0 讨论(0)
  • Just add keyword break; after removing the item...

    for(id item in items) {
        if([item isEqual:itemToDelete]) {
            [items removeObject:item];
            break;
        }
    }
    
    0 讨论(0)
提交回复
热议问题