Where to highlight UICollectionViewCell: delegate or cell?

后端 未结 7 2522
渐次进展
渐次进展 2020-12-13 09:43

According to the Collection View Programming Guide one should handle the visual state of the cell highlights in the UICollectionViewDelegate. Like this:

7条回答
  •  無奈伤痛
    2020-12-13 10:15

    As the documentation says, you can rely on highlighted property to be changed while the cell is highlighted. For example the following code will make the cell red when highlighted (not its subviews though):

    - (void)setHighlighted:(BOOL)highlighted {
        [super setHighlighted:highlighted];
        [self setNeedsDisplay];
    }
    
    - (void)drawRect:(CGRect)rect {
        [super drawRect:rect];
    
        if (self.highlighted) {
            CGContextRef context = UIGraphicsGetCurrentContext();
            CGContextSetRGBFillColor(context, 1, 0, 0, 1);
            CGContextFillRect(context, self.bounds);
        } 
    }
    

    And if you add something like this the background will become purple (red + opaque blue):

    - (void)collectionView:(UICollectionView *)colView didHighlightItemAtIndexPath:(NSIndexPath *)indexPath {
        UICollectionViewCell *cell = [colView cellForItemAtIndexPath:indexPath];
        cell.contentView.backgroundColor = [UIColor colorWithRed:0 green:0 blue:1 alpha:0.5];
    }
    
    - (void)collectionView:(UICollectionView *)colView didUnhighlightItemAtIndexPath:(NSIndexPath *)indexPath {
        UICollectionViewCell *cell = [colView cellForItemAtIndexPath:indexPath];
        cell.contentView.backgroundColor = nil;
    }
    

    So you can use both together (not necessarily both changing the cell appearance). The difference is that with delegate methods you also have indexPath. It might be used to create multi-selection (you will use this methods together with selection delegate methods), to show some preview while the cell is highlighted, to show some animation with other views... There's quite a few appliance for this delegate methods in my opinion.

    As a conclusion, I would leave the cell appearance to be handled by the cell itself and use delegate methods to let controller make something cool in the same time.

提交回复
热议问题