自适应宽度
我们在用UICollectionViewCell的时候自适应内部的宽度,但是并没有像UITableViewCell一样那样方便,
现在我们在UICollectionViewCell的子类里实现父类的方法- (UICollectionViewLayoutAttributes *)preferredLayoutAttributesFittingAttributes:(UICollectionViewLayoutAttributes *)layoutAttributes
- (UICollectionViewLayoutAttributes *)preferredLayoutAttributesFittingAttributes:(UICollectionViewLayoutAttributes *)layoutAttributes {
// 获得每个cell的属性集
UICollectionViewLayoutAttributes *attributes = [super preferredLayoutAttributesFittingAttributes:layoutAttributes];
// 计算cell里面textfield的宽度
CGRect frame = [self.indicatorLb.text boundingRectWithSize:CGSizeMake(CGFLOAT_MAX, 30) options:(NSStringDrawingUsesLineFragmentOrigin) attributes:[NSDictionary dictionaryWithObjectsAndKeys:self.indicatorLb.font,NSFontAttributeName, nil] context:nil];
// 这里在本身宽度的基础上 又增加了10
frame.size.width += 10;
frame.size.height = 30;
// 重新赋值给属性集
attributes.frame = frame;
return attributes;
}
注意
实现上个方法的前提是
UICollectionViewFlowLayout *flowLayout = [[UICollectionViewFlowLayout alloc] init];
flowLayout.estimatedItemSize = CGSizeMake(30, 30);
固定cell之间的距离
我们要固定每个cell之间的距离 需要创建一个UICollectionViewFlowLayout的子类,要重写父类的方法- (NSArray *)layoutAttributesForElementsInRect:(CGRect)rect
- (NSArray *)layoutAttributesForElementsInRect:(CGRect)rect {
NSMutableArray * attributes = [[super layoutAttributesForElementsInRect:rect] mutableCopy];
// 设置的最大间距,根据需要修改
CGFloat maximumSpacing = 5.0;
if (attributes.count > 0) {
UICollectionViewLayoutAttributes *firstAttributes = attributes[0];
CGRect frame = firstAttributes.frame;
frame.origin.x = maximumSpacing;
firstAttributes.frame = frame;
}
// 从第二个循环到最后一个
for (NSInteger i = 1 ; i < attributes.count ; i++ ) {
// 当前的attribute
UICollectionViewLayoutAttributes * currentLayoutAttributes = attributes[i];
// 上一个attribute
UICollectionViewLayoutAttributes * prevLayoutAttributes = attributes[i - 1];
// 前一个cell的最右边
CGFloat origin = CGRectGetMaxX(prevLayoutAttributes.frame);
// 如果当前一个cell的最右边加上我们的想要的间距加上当前cell的宽度依然在contentSize中,我们改变当前cell的原点位置
// 不加这个判断的后果是,UICollectionView只显示一行,原因是下面所有的cell的x值都被加到第一行最后一个元素的后面了
if (origin + maximumSpacing + currentLayoutAttributes.frame.size.width < self.collectionViewContentSize.width - 30) {
CGRect frame = currentLayoutAttributes.frame;
frame.origin.x = origin + maximumSpacing;
currentLayoutAttributes.frame = frame;
} else {
CGRect frame = currentLayoutAttributes.frame;
frame.origin.x = maximumSpacing;
currentLayoutAttributes.frame = frame;
}
}
return attributes;
}
- (CGSize)collectionViewContentSize {
return CGSizeMake(self.collectionView.sizeWidth, maxY + 5);
}
网友评论