我有一个带有水平流布局和固定宽度单元格的集合视图。当用户结束拖动时,我想抢先开始获取内容,以便在减速结束时可以看到这些内容。
为此,我需要在减速结束时可见的索引路径。我认为这段代码行得通,但是很la脚(出于显而易见的原因,我认为,注释中仅描述了其中的一些):
- (void)scrollViewWillEndDragging:(UIScrollView *)scrollView withVelocity:(CGPoint)velocity targetContentOffset:(inout CGPoint *)targetContentOffset {
// already bummed here:
// a) this seems the wrong way to get the fixed cell width
// b) sad that this method precludes variable width cells
UICollectionViewLayoutAttributes *la = [self.collectionView.collectionViewLayout layoutAttributesForElementsInRect:self.collectionView.bounds][0];
CGFloat width = la.size.width;
// this must be wrong, too. what about insets, header views, etc?
NSInteger firstVisible = floorf(targetContentOffset->x / width);
NSInteger visibleCount = ceilf(self.collectionView.bounds.size.width / width);
NSInteger lastVisible = MIN(firstVisible+visibleCount, self.model.count);
NSMutableArray *willBeVisibleIndexPaths = [@[] mutableCopy];
// neglecting sections
for (NSInteger i=firstVisible; i<lastVisible; i++) {
[willBeVisibleIndexPaths addObject:[NSIndexPath indexPathForItem:i inSection:0]];
}
}
要执行看起来很简单的事情,这是很多易碎的代码。如果我想让它处理截面,插图,辅助视图,可变单元格等,它将很快成为越野车,效率低下的缠结。
请告诉我,SDK中已经缺少一些简单的东西。
最佳答案
我认为最好使用UICollectionView indexPathForItemAtPoint:
方法。
根据targetContentOffset
和集合视图的contentSize
计算集合视图可见区域的左上和右下角。
然后使用这两点来获取两个对应的indexPath
值。这将为您提供firstVisible
和lastVisible
索引路径。
- (void)scrollViewWillEndDragging:(UIScrollView *)scrollView withVelocity:(CGPoint)velocity targetContentOffset:(inout CGPoint *)targetContentOffset {
UICollectionView *collectionView = (UICollectionView *)scrollView;
CGPoint topLeft = CGPointMake(targetContentOffset->x + 1, targetContentOffset->y + 1);
CGPoint bottomRight = CGPointMake(topLeft.x + scrollView.bounds.size.width - 2, topLeft.y + scrollView.bounds.size.height - 2);
NSIndexPath *firstVisible = [collectionView indexPathForItemAtPoint:topLeft];
firstVisible = (firstVisible)? firstVisible : [NSIndexPath indexPathForItem:0 inSection:0];
NSIndexPath *lastVisible = [collectionView indexPathForItemAtPoint:bottomRight];
lastVisible = (lastVisible)? lastVisible : [NSIndexPath indexPathForItem:self.model.count-1 inSection:0];
NSMutableArray *willBeVisibleIndexPaths = [@[] mutableCopy];
for (NSInteger i=firstVisible.row; i<lastVisible.row; i++) {
[willBeVisibleIndexPaths addObject:[NSIndexPath indexPathForItem:i inSection:0]];
}
}
这只是部分解决方案。在大多数情况下,
lastVisible
将是nil
。您需要进行检查,并将lastVisible
设置为集合的最后一个indexPath
。由于这些点位于页眉或页脚视图中,因此firstVisible
或lastVisible
也有可能成为nil
。关于ios - 滚动 View didEndDragging时预测可见的索引路径,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/33636874/