Swift3 UITableViewCell重用方法

最近终于有时间系统学习一下Swift3,之后会陆续分享一些小经验,希望能够帮到初学者。


在Swift中,创建tableViewCell的方法可以分为两种创建tableView时候注册需要使用时手动创建。
    先聊聊创建tableView的时候直接注册cell
注册cell的方法有两个:

//自定义cell
open func register(_ cellClass: Swift.AnyClass?, forCellReuseIdentifier identifier: String)
//从xib中加载cell
open func register(_ nib: UINib?, forCellReuseIdentifier identifier: String)

当注册了Cell之后,在没有可重用的Cell时会自动创建,并且不能在需要时手动创建

  • 创建例子如下
func setupTableView() {
        
        let tableView = UITableView(frame: view.bounds, style: .plain)
        
        //注册可复用cell
        tableView.register(UITableViewCell.self, forCellReuseIdentifier: "cellId")

        //xib加载cell用此方法注册
        //tableView.register(UINib.init(nibName: "testCell", bundle: nil), forCellReuseIdentifier: "cellId")

        //指定数据源
        tableView.dataSource = self
        
        //指定代理
        tableView.delegate = self
        
        view.addSubview(tableView)
    }

当在tableView创建时注册了cell,重用时需使用以下方法,而手动创建cell时不能使用此方法重用的,否则程序会崩掉。

//tableView创建时注册了cell 使用此方法重用
open func dequeueReusableCell(withIdentifier identifier: String, for indexPath: IndexPath) -> UITableViewCell
  • 重用例子如下
// @available(iOS 6.0, *)
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
        //创建cell,不需要判断是否为空,当没有可重用cell的时候会自动创建
        let cell = tableView.dequeueReusableCell(withIdentifier: "cellId", for: indexPath)

        cell.textLabel?.text = "\(indexPath.row)"

        return cell
    }

好,下面再看看在创建tableView时不注册cell,直接在dataSource中判断然后手动创建。这种方法也是老OC程序员常用方法,在了解Swift之前我甚至不知道有第一种方法存在!(所以注定成不了大牛啊!~T_T)

  • 手动创建cell使用以下方法重用
//没有之后的IndexPath参数
open func dequeueReusableCell(withIdentifier identifier: String) -> UITableViewCell? 
  • 手动创建重用例子
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
       //创建cell
       var cell:UITableViewCell? = tableView.dequeueReusableCell(withIdentifier: "cellId")
       
       if cell == nil {
           //自定义cell使用此方法
           cell = UITableViewCell(style: .subtitle, reuseIdentifier: "cellId")

           //xib加载cell使用此方法
        // cell = Bundle.main.loadNibNamed("testCell", owner: nil, options: nil)?.last as? UITableViewCell
       }

       cell?.textLabel?.text = "\(indexPath.row)"

       return cell!
   }

Swift3中UITableViewCell重用方法的方法主要就这些,总体跟OC很相似,相信熟悉OC语法的码农转学习起来也挺轻松的,往后有新发现再补充!多谢支持哈[耶]~!

你可能感兴趣的:(Swift3 UITableViewCell重用方法)