我有一个以编程方式创建的UICollectionView。创建收集 View 后,我想根据其必须容纳的单元格数量动态定义收集 View 的高度。我不想启用集合 View 本身的滚动,而是将此集合 View 作为 subview 添加到垂直UIScrollView内部包含的 View 中。

例如,如果UICollectionView具有10 UICollectionViewCells。它的高度可能为200.0f,但是如果有20个单元,则其高度可能为300.0f,依此类推。

我已尝试通过遵循Apple文档here来重写collectionViewContentSize方法来实现此目的。

尽管此方法在调用时确实返回有效的CGSize,但在实例化集合 View 时,其frame始终设置为零。

到目前为止,这是我所做的:

//subclass UICollectionViewFlowLayout

@interface LabelLayout : UICollectionViewFlowLayout

@property (nonatomic, assign) NSInteger cellCount;
@property (nonatomic) UIEdgeInsets sectionInset;
@property (nonatomic) CGSize itemSize;
@property (nonatomic) CGFloat minimumLineSpacing;
@property (nonatomic) CGFloat minimumInteritemSpacing;

@end

- (id)init
{
   self = [super init];
    if (self) {
        [self setup];
    }

return self;
}

-(void)prepareLayout
{
    [super prepareLayout];
    _cellCount = [[self collectionView] numberOfItemsInSection:0];
}

- (void)setup
{
    self.sectionInset = UIEdgeInsetsMake(10.0f, 0.0f, 10.0f, 0.0f);
    self.itemSize = CGSizeMake(245.0f, 45.0f);
    self.minimumLineSpacing = 10.0f;
    self.minimumInteritemSpacing = 20.0f;
}

- (CGSize)collectionViewContentSize
{
   CGFloat collectionViewWidth = 550;
   CGFloat topMargin = 10;
   CGFloat bottomMargin = 10;
   CGFloat collectionViewHeight = (self.cellCount * (self.itemSize.height +
   self.minimumLineSpacing*2)) + topMargin + bottomMargin;

   //THIS RETURNS A VALID, REASONABLE SIZE, but the collection view frame never gets set with it!
   return CGSizeMake(collectionViewWidth, collectionViewHeight);
 }

//create collectionView in viewController

- (void)viewDidLoad
{
    [super viewDidLoad];

    [self makeLabels]; //determines the number of cells

    LabelLayout *layout = [[LabelLayout alloc]init];
    self.collectionView = [[UICollectionView alloc]initWithFrame:CGRectZero collectionViewLayout:layout];
    self.collectionView.backgroundColor = [UIColor redColor];

    self.collectionView.dataSource = self;
    self.collectionView.delegate = self;

    [self.collectionView registerClass:[UICollectionViewCell class] forCellWithReuseIdentifier:cellIdentifier];
    [self.collectionView reloadData];
    [self.view addSubview:self.collectionView];
}

另外,当我为UIcollectionView明确定义一个静态框架时,将按预期方式创建它,因此我知道我唯一的问题是使用collectionViewContentSize方法。

所以我的问题是,如何动态设置UICollectionView的高度?

最佳答案

集合 View 是滚动 View ,因此您的-collectionViewContentSize方法确定内容的大小,而不是整体 View 的大小。您需要设置集合 View 的boundsframe属性,以设置集合 View 本身的大小。

您可能还需要将其的scrollEnabled属性设置为NO

10-05 20:21