Typed yet flexible Table View Controller

Typed yet flexible Table View Controller

[[163982]]

UITableView is like bread and butter for (almost) all iOS developers. In most cases, we use a UITableViewCell to display a data type and reuse cells through Identifiers. This technique is introduced in objc.io. When we want to use multiple cells of different types in a Table View, the situation is much more complicated. The inconsistency of cells makes it difficult for us to handle.

This article introduces three ways to solve this problem. Each solution attempts to fix the problems caused by the previous solution. The first method is common in many Objective-C code bases. The second method uses enumerations, but it is still not a perfect solution. The third method is implemented using protocols and generics - they are the magic weapons provided to us by Swift.

Base

I will walk you through a demo project (github address). In this example, we create a Table View with two different cells: one cell for displaying text and one cell for displaying images, as shown below:

UITableView showing two types of data (text and pictures)

When rendering a view, I like to use value types to encapsulate data. I call this view data. Here, we use two view data:

  1. struct TextCellViewData {
  2. let title: String
  3. }
  4.   
  5. struct ImageCellViewData {
  6. let image: UIImage
  7. }

(In a real project, there may be more properties; the image property should be declared as NSURL to avoid dependence on UIKit.) Correspondingly, we also need two types of cells to display these two types of view data:

  1. class TextTableViewCell: UITableViewCell {
  2. func updateWithViewData(viewData: TextCellViewData) {
  3. textLabel?.text = viewData.title
  4. }
  5. }
  6.   
  7. class ImageTableViewCell: UITableViewCell {
  8. func updateWithViewData(viewData: ImageCellViewData) {
  9. imageView?.image = viewData.image
  10. }
  11. }

Then, we start to enter the View Controller.

***Method: Simple method

I don't like to talk about complicated things at the beginning. At the beginning, I will talk about a simple implementation to display something on the screen.

We want the Table View to be driven by the data in the array (the items array, to be precise). Because our data is two completely different structures, the array type can only be [Any]. In the registerCells() method, we use the standard cell reuse mechanism to register the cell in advance. In the tableView(_:cellForRowAtIndexPath:) method, we create a cell based on the type of view data corresponding to the specified IndexPath. The complete implementation of our View Controller is very simple (for simplicity, we use ViewController as the data source of the Table View. In a real project, we may need to extract the data source into a separate object.):

  1. class ViewController: UIViewController {
  2.   
  3. @IBOutlet weak var tableView: UITableView!
  4.   
  5. var items: [Any] = [
  6. TextCellViewData(title: "Foo" ),
  7. ImageCellViewData(image: UIImage(named: "Apple" )!),
  8. ImageCellViewData(image: UIImage(named: "Google" )!),
  9. TextCellViewData(title: "Bar" ),
  10. ]
  11.   
  12. override func viewDidLoad() {
  13. super .viewDidLoad()
  14.   
  15. tableView.dataSource = self
  16. registerCells()
  17. }
  18.   
  19. func registerCells() {
  20. tableView.registerClass(TextTableViewCell.self, forCellReuseIdentifier: textCellIdentifier)
  21. tableView.registerClass(ImageTableViewCell.self, forCellReuseIdentifier: imageCellIdentifier)
  22. }
  23. }
  24.   
  25. extension ViewController: UITableViewDataSource {
  26.   
  27. func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
  28. return items.count
  29. }
  30.   
  31. func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
  32. let viewData = items[indexPath.row]
  33.   
  34. if (viewData is TextCellViewData) {
  35. let cell = tableView.dequeueReusableCellWithIdentifier(textCellIdentifier) ​​as! TextTableViewCell
  36. cell.updateWithViewData(viewData as! TextCellViewData)
  37. return cell
  38. } else   if (viewData is ImageCellViewData) {
  39. let cell = tableView.dequeueReusableCellWithIdentifier(imageCellIdentifier) ​​as! ImageTableViewCell
  40. cell.updateWithViewData(viewData as! ImageCellViewData)
  41. return cell
  42. }
  43.   
  44. fatalError()
  45. }
  46. }

This approach works, but I am not happy with it for at least the following reasons:

  • We can't reuse this ViewController. If we want to add a new type of cell, such as one for displaying videos, we have to modify the code in three places:

1. Add a new reusable Identifier

2. Modify the registerCells() method

3. Modify the tableView(\_:cellForRowAtIndexPath:) method

  • If we modify items and provide it with a type of view data that we cannot handle, we will trigger a fatalError() in the tableView(\_:cellForRowAtIndexPath:) method.

  • There is a relationship between view data and cells, but this relationship is not reflected in the type system.

The second method: enumeration

We can add a TableViewItem enumeration type to solve these problems to some extent. In the enumeration, we list all the types supported by view data:

  1. enum TableViewItem {
  2. case Text(viewData: TextCellViewData)
  3. case Image(viewData: ImageCellViewData)
  4. }

Then change the type of the items property to [TableViewItem]:

  1. var items: [TableViewItem] = [
  2. .Text(viewData: TextCellViewData(title: "Foo" )),
  3. .Image(viewData: ImageCellViewData(image: UIImage(named: "Apple" )!)),
  4. .Image(viewData: ImageCellViewData(image: UIImage(named: "Google" )!)),
  5. .Text(viewData: TextCellViewData(title: "Bar" )),
  6. ]

Then modify the registerCells() method:

  1. func registerCells() {
  2. for item in items {
  3. let cellClass: AnyClass
  4. let identifier: String
  5.           
  6. switch (item) {
  7. case .Text(viewData: _):
  8. cellClass = TextTableViewCell.self
  9. identifier = textCellIdentifier
  10. case .Image(viewData: _):
  11. cellClass = ImageTableViewCell.self
  12. identifier = imageCellIdentifier
  13. }
  14.           
  15. tableView.registerClass(cellClass, forCellReuseIdentifier: identifier)
  16. }
  17. }

***, modify the tableView(_:cellForRowAtIndexPath:) method:

  1. func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
  2. let item = items[indexPath.row]
  3.       
  4. switch (item) {
  5. case let .Text(viewData: viewData):
  6. let cell = tableView.dequeueReusableCellWithIdentifier(textCellIdentifier) ​​as! TextTableViewCell
  7. cell.updateWithViewData(viewData)
  8. return cell
  9. case let .Image(viewData: viewData):
  10. let cell = tableView.dequeueReusableCellWithIdentifier(imageCellIdentifier) ​​as! ImageTableViewCell
  11. cell.updateWithViewData(viewData)
  12. return cell
  13. }
  14. }

Admittedly, this approach is better than the previous one:

  • View Controller can only provide view data types specified in the enumeration.

  • Use switch statement instead of annoying if statement, and remove fatalError().

Then we can also improve this implementation, such as modifying the reuse and settings of cells to:

  1. func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
  2. let item = items[indexPath.row]
  3.       
  4. switch (item) {
  5. case let .Text(viewData: viewData):
  6. return tableView.dequeueCellWithViewData(viewData) as TextTableViewCell
  7. case let .Image(viewData: viewData):
  8. return tableView.dequeueCellWithViewData(viewData) as ImageTableViewCell
  9. }
  10. }

But the sad thing is, we have to add these switch statements everywhere. So far, we have only used switch statements in two places, but it is not difficult to imagine that it is more than just that. For example, when automatic layout will become unavailable and we have to use manual layout, we must use another switch statement in tableView(\_:heightForRowAtIndexPath:).

It's not that this method can't be used, but I'm still bothered by those switch statements, so I decided to take it a step further.

The third (***) approach: protocols and generics

Let’s completely overturn the first two solutions and start over.

Declaring the Updatable Protocol

Our cell presents different interfaces based on view data, so we define an Updatable protocol and bind it to a type ViewData:

  1. protocol Updatable: class {
  2. typealias ViewData
  3.       
  4. func updateWithViewData(viewData: ViewData)
  5. }

Then let our custom cell implement this protocol:

  1. extension TextTableViewCell: Updatable {
  2. typealias ViewData = TextCellViewData
  3. }
  4.   
  5. extension ImageTableViewCell: Updatable {
  6. typealias ViewData = ImageCellViewData
  7. }

After looking at the first two methods, it is not difficult to find that for each view data object in items, we need:

1. Find out which cell class to use

2. Find out which reuse identifier to use

3. Rendering cells with view data

Define the CellConfigurator structure

Therefore, we declare another structure to package the view data. Use the structure to provide more properties and functions. Let's name this structure CellConfigurator:

  1. struct CellConfigurator<cell where cell: updatable, cell: uitableviewcell> {
  2.   
  3. let viewData: Cell.ViewData
  4. let reuseIdentifier: String = NSStringFromClass(Cell)
  5. let cellClass: AnyClass = Cell.self
  6.       
  7. ...</cell where cell: updatable, cell: uitableviewcell>

This is a generic structure that uses the type parameter Cell. Cell has two constraints: first, it must implement the Updatable protocol, and second, it must be a subclass of UITableViewCell.

CellConfigurator has three properties: viewData, reuseIdentifier and cellClass. The type of viewData depends on the type of Cell and it has no default value. The values ​​of the other two properties depend on the specific type of Cell (this is a new feature in Swift, it's really great!).

  1. ...
  2. // further part of CellConfigurator  
  3. func updateCell(cell: UITableViewCell) {
  4. if let cell = cell as? Cell {
  5. cell.updateWithViewData(viewData)
  6. }
  7. }

***, we pass the UITableViewCell instance to the updateCell() method, and we can render the viewData to the cell. Here, we don't need to use the Cell type, because the UITableViewCell object is returned by the dequeueReusableCellWithIdentifier(_:forIndexPath:) method. Phew, such a short implementation, but it's so hard to explain.

Then, create a CellConfigurator instance in the items array:

  1. let items = [
  2. CellConfigurator<texttableviewcell>(viewData: TextCellViewData(title: "Foo" )),
  3. CellConfigurator<imagetableviewcell>(viewData: ImageCellViewData(image: UIImage(named: "Apple" )!)),
  4. CellConfigurator<imagetableviewcell>(viewData: ImageCellViewData(image: UIImage(named: "Google" )!)),
  5. CellConfigurator<texttableviewcell>(viewData: TextCellViewData(title: "Bar" )),
  6. ]</texttableviewcell></imagetableviewcell></imagetableviewcell></texttableviewcell>

Wait, what’s going on? A compile-time error?

Type of expression is ambiguous without more context

That's because CellConfigurator is generic, but Swift arrays can only store the same type, we can't simply put CellConfigurator and CellConfigurator into the same array. This is correct, but it's not what we want.

Aha, wait a minute, we'll get it done. The Cell type parameter is actually only used when declaring viewData. Therefore, we don't need to specify the actual type of Cell in CellConfigurator. Declare a new non-generic protocol:

  1. protocol CellConfiguratorType {
  2. var reuseIdentifier: String { get }
  3. var cellClass: AnyClass { get }
  4.       
  5. func updateCell(cell: UITableViewCell)
  6. }

Modify CellConfigurator to implement CellConfiguratorType:

  1. extension CellConfigurator: CellConfiguratorType {
  2. }

Now we can declare the type of items as:

  1. let items: [CellConfiguratorType]

Compilation passed.

View Controller

Let’s modify the View Controller now. registerCells() can be made simpler:

  1. func registerCells() {
  2. for cellConfigurator in items {
  3. tableView.registerClass(cellConfigurator.cellClass, forCellReuseIdentifier: cellConfigurator.reuseIdentifier)
  4. }
  5. }

The good news is that the tableView(_:cellForRowAtIndexPath:) method has also become much simpler:

  1. func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
  2. let cellConfigurator = items[indexPath.row]
  3. let cell = tableView.dequeueReusableCellWithIdentifier(cellConfigurator.reuseIdentifier, forIndexPath: indexPath)
  4. cellConfigurator.updateCell(cell)
  5. return cell
  6. }

In order to reuse the View Controller, we still have to do some work. For example, we can make the items modifiable from outside the class. I won’t go into details here. You can refer to the final implementation of the framework and demo on GitHub: ConfigurableTableViewController

Conclusion

Let's take a look at how the first solution differs from the first two:

1. When we want to add a new cell, we don’t need to modify the View Controller

2. View Controller is type-safe. If we add a type of view data that the cell does not support, we will get a compilation error.

3. No switch statement is required when refreshing the cell.

It seems that the third method solves all our problems. I think we have made another step forward. A better solution is often "I searched for it for thousands of times, but when I turned around, I found it was in the dim light."

Thanks to Maciej Konieczny and Kamil Kołodziejczyk for reviewing this article.

If you liked this article, follow me on Twitter or subscribe to my RSS.

<<:  Android N internal code name - New York Cheesecake

>>:  CreditEase Zheng Yun: Sharing on the Practice of Big Data Financial Cloud

Recommend

A guide to continuous traffic monetization in online education!

As an observer of the education and training indu...

Top 20 Marketing Pain Points for Advertisers

For advertisers , marketing and advertising decis...

How to plan a low-cost community operation event?

Nowadays, everyone is calling for building privat...

20 Awesome Free Bootstrap Admin and Front-end Templates

1. SB Admin 2​​ ​​Details & Download​​ 2. Adm...

Android Studio template file group

The file group template is a powerful Android dev...

How can marketers help startup brands write a complete set of brand copy?

In August 2019, I took on a project in which I tr...

Zhihu advertising, Zhihu advertising forms

Zhihu community is the largest knowledge platform...

Marketing activity planning and delivery

What I want to share with you today is the refine...