我有一个自定义的UITableViewController
子类。它有一个包含许多行的节。每一行对应于同一个自定义表视图单元类。每个自定义单元格都有两个标签:myLabel1
&myLabel2
,这是单元格的contentView
的两个子视图。
每个myLabel1
都有一行文本,每个myLabel2
都有一行或两行文本,但是每个单元格的高度应该相同,就好像每个myLabel2
都有两行文本一样。
标签使用动态类型。
myLabel1.font = UIFont.preferredFont(forTextStyle: .headline)
myLabel2.font = UIFont.preferredFont(forTextStyle: .subheadline)
根据Working with Self-Sizing Table View Cells,我用Auto Layout定位了每个标签,并“将表视图的
rowHeight
属性设置为UITableViewAutomaticDimension
”,以便行高随动态类型而变化。如何使每个单元格具有相同的高度?
如何估计表视图的行高?
最佳答案
UITableViewAutomaticDimension
将根据单元格内容大小估计单元格大小。我们必须计算单元格可能具有的最大高度,并返回所有单元格的此高度,而不是使用UITableViewAutomaticDimension
。
自定义表视图单元格
let kMargin: CGFloat = 8.0
class CustomTableViewCell: UITableViewCell {
@IBOutlet var singleLineLabel: UILabel!
@IBOutlet var doubleLineLabel: UILabel!
override func awakeFromNib() {
super.awakeFromNib()
// Initialization code
updateFonts()
}
override func prepareForReuse() {
updateFonts()
}
func updateFonts() {
singleLineLabel.font = UIFont.preferredFont(forTextStyle:.title3)
doubleLineLabel.font = UIFont.preferredFont(forTextStyle:.body)
}
func updateCellForCellWidth(_ width:CGFloat) {
doubleLineLabel.preferredMaxLayoutWidth = width - (2*kMargin)
}
func fillCellWith(_ firstString: String, _ secondString: String) {
singleLineLabel.text = firstString
doubleLineLabel.text = secondString
}
}
在视图控制器上
设置虚拟单元格并列出动态类型的通知
var heightCalculatorDummyCell: CustomTableViewCell!
var maxHeight: CGFloat = 0.0
override func viewDidLoad() {
super.viewDidLoad()
heightCalculatorDummyCell = tableView.dequeueReusableCell(withIdentifier: "cell_id") as! CustomTableViewCell
maxHeight = getMaxHeight()
NotificationCenter.default.addObserver(self, selector: #selector(AutomaticHeightTableViewController.didChangePreferredContentSize), name: .UIContentSizeCategoryDidChange, object:nil)
}
使用虚拟单元格获取最大高度。
func getMaxHeight() -> CGFloat {
heightCalculatorDummyCell.updateFonts()
heightCalculatorDummyCell.fillCellWith("Title","A string that needs more than two lines. A string that needs more than two lines. A string that needs more than two lines. A string that needs more than two lines. A string that needs more than two lines.")
heightCalculatorDummyCell.updateCellForCellWidth(tableView.frame.size.width)
let size = heightCalculatorDummyCell.contentView.systemLayoutSizeFitting(UILayoutFittingCompressedSize)
return (size.height + 1)
}
处理通知时重新加载的表视图
deinit {
NotificationCenter.default.removeObserver(self)
}
func didChangePreferredContentSize() {
maxHeight = getMaxHeight()
tableView.reloadData()
}
最后一步,返回tableview委托中的最大高度
override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return titles.count
}
override func tableView(_ tableView: UITableView, heightForRowAt indexPath: IndexPath) -> CGFloat {
return maxHeight
}
关于ios - 如何为动态类型计算估算的行高,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/41356282/