是否可以仅初始化和加载自定义单元和测试 socket ?
我的 ViewController 有 TableView 和分开的 dataSource (这是自定义数据源的子类)。所以使用所有这些来创建单元格有点棘手。
自定义单元格只有几个标签和用于从对象更新它们的配置方法,因此如果加载,测试会很容易。
Best Answer-推荐答案 strong>
可以为自定义 UITableViewCell 编写单元测试,以测试其 socket 和其中包含的任何其他功能。以下示例演示了这一点:
class TestItemTableViewCell: XCTestCase {
var tableView: UITableView!
private var dataSource: TableViewDataSource!
private var delegate: TableViewDelegate!
override func setUp() {
tableView = UITableView(frame: CGRect(x: 0, y: 0, width: 200, height: 400), style: .plain)
let itemXib = UINib.init(nibName: "ItemTableViewCell",
bundle: nil)
tableView.register(itemXib,
forCellReuseIdentifier: "itemCell")
dataSource = TableViewDataSource()
delegate = TableViewDelegate()
tableView.delegate = delegate
tableView.dataSource = dataSource
}
func testAwakeFromNib() {
let indexPath = IndexPath(row: 0, section: 0)
let itemCell = createCell(indexPath: indexPath)
// Write assertions for things you expect to happen in
// awakeFromNib() method.
}
}
extension TestItemTableViewCell {
func createCell(indexPath: IndexPath) -> ItemTableViewCell {
let cell = dataSource.tableView(tableView, cellForRowAt: indexPath) as! ItemTableViewCell
XCTAssertNotNil(cell)
let view = cell.contentView
XCTAssertNotNil(view)
return cell
}
}
private class TableViewDataSource: NSObject, UITableViewDataSource {
var items = [Item]()
override init() {
super.init()
// Initialize model, i.e. create&add object in items.
}
func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return items.count
}
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
let cell = tableView.dequeueReusableCell(withIdentifier: "itemCell",
for: indexPath)
return cell
}
}
private class TableViewDelegate: NSObject, UITableViewDelegate {
}
这种方法模仿了 UITableViewCell 在运行时创建/重用的方式。调用相同的方法,例如awakeFromNib 、IBOutlet 已初始化等。我相信您甚至可以测试单元格的大小(例如 height ),即使我没有还没试过。请注意,拥有一个包含模型对象的“可视化”逻辑的 View 模型是一种很好的模块化方法,并且可以更轻松地对代码的部分进行单元测试(如上面另一个答案中所述)。但是,对于 View 模型对象的单元测试,您无法测试 UITableViewCell 的整个生命周期。
关于ios - 单元测试自定义 UITableViewCell?,我们在Stack Overflow上找到一个类似的问题:
https://stackoverflow.com/questions/46258381/
|