Welcome back to the “UICollectionView Custom Layouts: the Ultimate Tutorial” series. This is Part 2, where we will actually tackle the custom layout part.
If you haven’t seen or done the first part, I strongly recommend you to take a look at it, as we will be using the UICollectionView
we created there.
Remember what we had at the end of Part 1, when we run the project without the custom layout, and what we would like to achieve?
A few words
A few words before we start:
I recommend you to have a look at Session 232 of WWDC 2014: Advanced User Interfaces with Collection Views for the Custom Layout questions, and at Session 226 of WWDC 2014: What’s new in Table and Collection Views concerning the cell sizing. I won’t go into the details here as everything is well explained on the videos.
Here, we will focus on the implementation.
Preparing the cells
First, we need to add a bit of code in the TextCell
class, as this cell will need to get resized. Simply paste the following code in TextCell.swift
override func preferredLayoutAttributesFittingAttributes(layoutAttributes: UICollectionViewLayoutAttributes) -> UICollectionViewLayoutAttributes { let attr = layoutAttributes.copy() as! UICollectionViewLayoutAttributes self.setNeedsLayout() self.layoutIfNeeded() let desiredHeight: CGFloat = self.contentView.systemLayoutSizeFittingSize(UILayoutFittingCompressedSize).height attr.frame.size.height = desiredHeight self.frame = attr.frame // Do NOT forget to set the frame or the layout won't get it !!! return attr }
Let’s add a simpler version of it in the ItemCell
class:
override func preferredLayoutAttributesFittingAttributes(layoutAttributes: UICollectionViewLayoutAttributes) -> UICollectionViewLayoutAttributes { let attr = layoutAttributes.copy() as! UICollectionViewLayoutAttributes self.setNeedsLayout() self.layoutIfNeeded() self.frame = attr.frame return attr }
This part of the code enables the Layout to calculate the new size of the cell, matching its content.
You don’t need similar code for ImageCell
because its size is fixed, set in the custom layout and not re-calculated.
And now, take a deep breath, we will create the long-awaited custom layout!
UICollectionViewFlowLayout
Let’s start with the first baby step:
Create a new file, subclass of UICollectionViewFlowLayout
and name it MyCollectionViewFlowLayout
.
Then, let’s add some configuration: section variables, initializations and basic setup.
let cellHeight: CGFloat = 200 var itemWidth: CGFloat = 200 let itemRatio: CGFloat = 1.33 var layoutInfo = [NSIndexPath: UICollectionViewLayoutAttributes]() var layoutHeaderInfo = [NSIndexPath: UICollectionViewLayoutAttributes]() var collectionViewWidth: CGFloat = 0 var maxOriginY: CGFloat = 0 var textHeight: CGFloat = 0.0 var itemsPerRow = 0 let numberOfSections = 4 let sectionImage = 0 let sectionText = 1 let sectionItem = 2 override init() { super.init() setup() } required init(coder aDecoder: NSCoder) { super.init(coder: aDecoder)! setup() } func setup() { // setting up some inherited values minimumInteritemSpacing = 0 minimumLineSpacing = 0 scrollDirection = UICollectionViewScrollDirection.Horizontal collectionViewWidth = UIScreen.mainScreen().bounds.width if let collectionView = collectionView { collectionViewWidth = collectionView.frame.size.width } itemWidth = getItemWidth() headerReferenceSize = CGSizeMake(collectionViewWidth, 50) } func getItemWidth() -> CGFloat { // calculate here the size of the items -- see example on GitHub }
Also, don’t forget to add the class in the Collection View attributes
in the Storyboard. Select “Custom” and type “CustomCollectionViewLayout” in the class field. Obvious, but oh so easy to forget ;)
PrepareLayout
Now, let’s tackle the heart of the problem custom layout:
The first function to create is prepareLayout
, which, as its name states, prepares the layout.
The documentation says :
“Tells the layout object to update the current layout.
Layout updates occur the first time the collection view presents its content and whenever the layout is invalidated explicitly or implicitly because of a change to the view. During each layout update, the collection view calls this method first to give your layout object a chance to prepare for the upcoming layout operation.
The default implementation of this method does nothing. Subclasses can override it and use it to set up data structures or perform any initial computations needed to perform the layout later.”
In this function, we will loop over the sections and items to get the actual size of each element, and to keep track of the height of the content.
And as we would like to have a code as elegant as possible, we will do the size calculation in a separate function, called frameForItemAtIndexPath
.
override func prepareLayout() { maxOriginY = 0 setup() // can also be triggered only if the layout or collectionView bounds have changed for i in 0 ..< numberOfSections { if let collectionView = self.collectionView { for j in 0 ..< collectionView.numberOfItemsInSection(i) { let indexPath = NSIndexPath(forRow: j, inSection: i) let itemAttributes = UICollectionViewLayoutAttributes(forCellWithIndexPath: indexPath) itemAttributes.frame = frameForItemAtIndexPath(indexPath) if (indexPath.section < sectionItem) { maxOriginY += itemAttributes.frame.size.height } else if (indexPath.section == sectionItem) { let allRows = (indexPath.item % Int(itemsPerRow)) == (Int(itemsPerRow) - 1) let lastRow = indexPath.item == (collectionView.numberOfItemsInSection(i) - 1) if (allRows || lastRow) { // add height only if there is "itemsPerRow" items per row, or if multiple rows: last item per row maxOriginY += itemAttributes.frame.size.height } } layoutInfo[indexPath] = itemAttributes } } } } func frameForItemAtIndexPath(indexPath: NSIndexPath) -> CGRect { if (indexPath.section == sectionImage) { return CGRectMake(0, maxOriginY, collectionViewWidth, collectionViewWidth) } else if (indexPath.section == sectionText) { var currentCellHeight = max(textHeight, cellHeight) if let collectionView = self.collectionView { if let cell = collectionView.cellForItemAtIndexPath(indexPath) as? TextCell { textHeight = max(textHeight, cell.frame.height) currentCellHeight = textHeight } } return CGRectMake(0, maxOriginY, collectionViewWidth, currentCellHeight) // width, height } else if (indexPath.section == sectionItem) { let currentColumn = ceil(CGFloat(indexPath.item % itemsPerRow)) let posX = currentColumn * itemWidth let rect = CGRectMake(posX, maxOriginY, itemWidth, itemWidth * itemRatio) return rect } return CGRectZero }
Then, we will make sure that the UICollectionView
has the right size:
override func collectionViewContentSize() -> CGSize { guard let collectionView = self.collectionView else { return CGSizeMake(UIScreen.mainScreen().bounds.width, maxOriginY)} return CGSizeMake(collectionView.frame.width, maxOriginY) }
Pretty straight forward.
Layout Attributes
Two more thing and we’re done! Now that we have calculated the size of the cells and that we know the size of the UICollectionView
, we can determine the attributes
, ie what will appear on screen in a rect
or at a certain indexPath
:
override func layoutAttributesForElementsInRect(rect: CGRect) -> [UICollectionViewLayoutAttributes]? { var allAttributes: [UICollectionViewLayoutAttributes] = [UICollectionViewLayoutAttributes]() for (_, attributes) in layoutInfo { if CGRectIntersectsRect(rect, attributes.frame) { allAttributes.append(attributes) } } return allAttributes } override func layoutAttributesForItemAtIndexPath(indexPath: NSIndexPath) -> UICollectionViewLayoutAttributes? { return layoutInfo[indexPath] }
Should invalidate layout
And the last step to finalize the layout: we want to invalidate the layout when needed, ie make sure the cells are calculated according to the actual space available, and not according to the layout estimated size.
override func shouldInvalidateLayoutForBoundsChange(newBounds: CGRect) -> Bool { // if you don't want to re-calculate everything on scroll return !CGSizeEqualToSize(newBounds.size, self.collectionView!.frame.size) } override func shouldInvalidateLayoutForPreferredLayoutAttributes(preferredAttributes: UICollectionViewLayoutAttributes, withOriginalAttributes originalAttributes: UICollectionViewLayoutAttributes) -> Bool { if (originalAttributes.indexPath.section >= sectionText) { // true only for sections that needs to be updated (the ones that are changing size) // ie. the ones that are using preferredLayoutAttributesFittingAttributes to self-resize return true } return false }
I hope this tutorial series helped a bit. As I said at the beginning, I tried to cover different cell configurations to give you the tools to start experimenting with custom layouts, now it’s up to you to go further! And, who knows, maybe Apple will soon release something to help us deal (easily) with variable height in UICollectionViewCells
like they did for UITableView
…
All the code for this tutorial is available on GitHub: SCCollectionViewCustomLayout. As usual, don’t hesitate to fork it and play with it! Also, there is a little bonus: I’ve included a dynamic HeaderView
in the UICollectionView
and Custom Layout :) You’re welcome!
Pro tips:
- Try it on the iPad, it’s responsive! (if you add
viewWillLayoutSubviews()
to theUIViewController
, like in the example on GitHub) - If you are caught in an infinite loop in the
UICollectionViewFlowLayout
that makes the app crash, double check the size (and potential margins) of the cells you are trying to render. If it doesn’t match with the available space, it will try to calculate it again until it fits, which isn’t likely to happen… and it will eventually crash.
boom, thanks for posting this.
xCode 8 ios 10.3 Crash -> Terminating app due to uncaught exception ‘NSInvalidArgumentException’, reason: ‘the invalidation context ((null)) sent to -[UICollectionViewFlowLayout invalidateLayoutWithContext:] is not an instance of type UICollectionViewFlowLayoutInvalidationContext or a subclass’
Thank you Catherine!
Helpful guide