我有一个TableView,里面有3个TableViewCell。
第一个TableViewCell有:Label
第二个TableViewCell有:TextField
第三个TableViewCell有:按钮
我的问题是你想让他们每个人都有不同的重复次数。
例如,我希望第一个tableViewCell重复3次,第二个tableViewCell重复2次,第三个tableViewCell重复2次。
TableView将如下所示:
标签
标签
标签
文本字段
文本字段
按钮
按钮
我的代码:

import UIKit

class FilterPage: UIViewController, UITableViewDelegate,UITableViewDataSource {
    @IBOutlet weak var tableView: UITableView!
    override func viewDidLoad() {
        super.viewDidLoad()

        tableView.delegate = self
        tableView.dataSource = self
    }

    func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
        return 3
    }

    func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
        if indexPath.row == 0 {
            let PropertTypeCell = tableView.dequeueReusableCell(withIdentifier: "PropertyTypeCell")
             return PropertTypeCell!
        }  else if indexPath.row == 1{
            let PriceCell = tableView.dequeueReusableCell(withIdentifier: "PriceCell")
            return PriceCell!
        }
        else{
            let RoomCell = tableView.dequeueReusableCell(withIdentifier: "RoomCell")
            return RoomCell!
        }
    }
}

最佳答案

对于这种情况,我想创建一个CellTypes数组,在这种情况下,我定义了一个枚举类型CellType

enum CellType {
    case PropertyTypeCell
    case PriceCell
    case RoomCell
}

然后在一个方法中,我填充一个CellType数组,如果您想要动态的,在您的例子中,您可以使用这样的初始化
var cellTypes : [CellType] = [.PropertyTypeCell,.PropertyTypeCell,.PropertyTypeCell,.PriceCell,.PriceCell,.RoomCell,.RoomCell]

在此之后,您可以使用numberOfRowsInSection方法返回
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {

    return self.cellTypes.count
}

最重要的是,您可以忘记IndexPath的噩梦,只有得到当前的CellType才可以这样做
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
    let celltype = self.cellTypes[indexPath.row]
    switch celltype {
    case .PropertyTypeCell:
        let PropertTypeCell = tableView.dequeueReusableCell(withIdentifier: "PropertyTypeCell")
        return PropertTypeCell!
    case .PriceCell:
        let PriceCell = tableView.dequeueReusableCell(withIdentifier: "PriceCell")
        return PriceCell!
    default:
        let RoomCell = tableView.dequeueReusableCell(withIdentifier: "RoomCell")
        return RoomCell!

    }
}

此方法允许您更改表结构,而不必触碰cellForRowAtIndexPath方法,也不必考虑indexpaths.rows行号,这可能非常棘手

10-08 14:20