我正在处理一个应用程序,它需要在我的应用程序的多个场景中使用完全相同的表格视图,但是,数据和表格的位置会发生变化,如这两张图片所示(表格视图以红色突出显示)
在整个应用程序的表的所有实例中,它应该具有:
现在我在两个独立的视图控制器中将它们编码为两个单独的表视图,但是,我已经意识到我需要在整个应用程序中的更多地方复制相同的表和逻辑并不觉得这是正确的方法。所以我的问题是,如何以干净,干燥的方式在iOS(使用界面构建器或swift)中完成符合上述规范的表复制?
答案 0 :(得分:3)
如果您想设计一次单元格,然后在不同视图控制器中的不同表视图中使用它们,则必须在单独的.xib文件中设计它们。原型单元是每个视图控制器,并且不能很好地扩展。
如果所有数据源和委托方法都相同,则可以将此协议的实现移动到单独的类中。您可以使用要显示的项目数组配置此类。
class ReusableTableView: NSObject, UITableViewDataSource, UITableViewDelegate
{
var tableView: UITableView
var tableViewData: [String]
init(_ tv: UITableView, _ data: [String])
{
tableViewData = data
tableView = tv
super.init()
tableView.delegate = self
tableView.dataSource = self
// Register all of your cells
tableView.register(UINib(nibName: "SomeNib", bundle: nil), forCellReuseIdentifier: "example-id")
}
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return tableViewData.count
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
return tableView.dequeueReusableCell(withIdentifier: "example-id", for: indexPath)
}
}
拥有这两个构建块,您可以在每个视图控制器上单独布局表视图,并使用可重用的数据源/委托进行连接。
class ExampleTablewViewController: UIViewController
{
@IBOutlet weak var tableView: UITableView!
var reusableTableView: ReusableTableView!
override func viewDidLoad() {
super.viewDidLoad()
reusableTableView = ReusableTableView(tableView, ["lorem", "ipsum", "dolor"])
reusableTableView.tableView.reloadData()
}
}
您可以在GitHub repo中找到我如何看到这一点的基本示例。