Swift 学习iOS进阶指南

如何在Swift中优雅地使用ReusableIdentifier

2016-08-15  本文已影响540人  踩着筋斗云的悟空

原文:如何在Swift中优雅地使用ReusableIdentifier

苹果为了保准UITableView视图的性能,使用了cell的重用机制,cell可以通过重用标示符(reusableIdentifier)进行复用,默认的注册cell和获取cell的方法中,需要传入一个字符串作重用标示符。但这种方式很容易出错,而且使用起来也相当别扭,一种普遍的解决方式,就是直接只用类名作为重用标示符:

tableview.registerClass(UITableViewCell.self, forCellReuseIdentifier: String(UITableViewCell.self))

tableview.dequeueReusableCellWithIdentifier(String(UITableViewCell.self))

但这种写法依然颇为繁琐,每次都要传入一个类,并把它转化成字符串。所幸,借助Swift的泛型特性,我们可以有更加优雅的实现方式。

使用协议

使用泛型来优化 TableView Cells 的使用体验这篇文章中,作者详细介绍了如何通过协议+泛型的方式,优化TableView Cells 的使用体验。具体的做法很简单,首先声明了一个协议,提供并默认实现了一个reuseIdentifier静态属性:


protocol Reusable: class {
  static var reuseIdentifier: String { get }
}

extension Reusable {
  static var reuseIdentifier: String {
    return String(Self)
  }
}

然后提供一个注册和获取重用cell的方法:

func registerReusableCell<T: UITableViewCell where T: Reusable>(_: T.Type) {
     self.registerClass(T.self, forCellReuseIdentifier: T.reuseIdentifier)
  }

  func dequeueReusableCell<T: UITableViewCell where T: Reusable>(indexPath indexPath: NSIndexPath) -> T {
    return self.dequeueReusableCellWithIdentifier(T.reuseIdentifier, forIndexPath: indexPath) as! T
  }

这样只要cell遵守了Reusable协议,就可以通过上面两个方法注册复用cell了。具体的代码和使用,请阅读原文:使用泛型来优化 TableView Cells 的使用体验

这种方式的确是比原生的方法方便了不少,但还是有一个不太方便的地方,那就是cell必须遵守了Reusable协议,虽然我们可以通过让UITableViewCell遵守这个协议的方式,避免每个UITableViewCell子cell都写一遍,但这依然还不是最理想的解决方式。最理想的解决方式,应该是只需要调用方法,不需要UITableViewCell做任何修改,为此我们可以使用结构体,而非协议来实现。

使用结构体

我们可以使用泛型定义一个ReusableIdentifier结构体,有一个identifier的不变量:

public struct ReusableIdentifier <T: UIView> {
  let identifier: String

  init() {
    identifier = String(T.self)
  }
}

然后为UITableView实现一个register方法,这个方法只需要传入一个类型即可:


extension UITableView {
    func register<T: UITableViewCell>(_: T.Type) {
    registerClass(T.self, forCellReuseIdentifier: ReusableIdentifier<T>().identifier)
    }
  }
  

如此,注册的时候就非常简单:tableview.register(UITableViewCell.self)

同样的,可以为UITableView实现一个dequeue方法:

@warn_unused_result
  func dequeue<T: UICollectionViewCell>(indexPath: NSIndexPath) -> T {
    let rid = ReusableIdentifier<T>()
    guard let cell = dequeueReusableCellWithReuseIdentifier(rid.identifier, forIndexPath: indexPath) as? T else {
      assertionFailure("No identifier(\(rid.identifier)) found for \(T.self)")
      return T.init()
    }
    return cell
  }

使用的时候只需要指定cell的类型,传入indexPath即可:

let cell: UITableViewCell = tableview.dequeue(indexPath)

通过引入一个结构体,利用泛型特性,不需要对已有的类型做任何修改,只需要替换注册和复用cell时调用的方法,我们就可以非常优雅的复用Tableview Cell。

参考上面的方法,我们可以借助ReusableIdentifier结构体,为UICollectionView实现相应的方法。

上一篇下一篇

猜你喜欢

热点阅读