我有一个标签commentLabel和一个textview statsLabel。它们是包含更多标签(usernameLabel,checkinName等)的单元格的一部分。

我要实现的是在studentLabel下方显示statsLabel(其中显示了点赞和评论的数量)。但是,如果commentLabel为空,则将其从子视图中删除(因为否则标签仍然占用1行而没有任何文本,这使我烦恼了各种自动布局问题)。

我在单元格(UICollectionViewCell)类中做什么:

contentView.addSubview(commentTextview)
contentView.addSubview(statsLabel)


在我的cellForItemAt方法中,我基于数组中的字符串设置两个项目的文本,如下所示:

if let comment = feed[indexPath.item].commentText {

    cell.commentTextview.text = comment
    if(comment.isEmpty) {

        cell.commentTextview.removeFromSuperview()

    }

}


这就像一个魅力。文本视图在需要时被删除,并且在有文本时仍然可见。它在有文本的情况下起作用,但是当它为空(并因此被删除)时,statsLabel不知道要限制在哪里,因为我在单元格类中设置了这样的约束(覆盖init):

statsLabel.topAnchor.constraint(equalTo: commentTextview.bottomAnchor, constant: 2).isActive = true


有什么想法可以确保约束在需要时绑定到commentTextview,而在空时绑定到usernameLabel吗?

最佳答案

我建议使用堆栈视图,因为这样可以更轻松地管理这种行为,但是无论如何,您都可以将约束设置为变量:

private lazy var topToCommentConstraint: NSLayoutConstraint = {
    let top = statsLabel.topAnchor.constraint(equalTo: commentTextview.bottomAnchor, constant: 2)
    top.isActive = true
    return top
}()

private lazy var topToUsernameConstraint: NSLayoutConstraint = {
    let top = statsLabel.topAnchor.constraint(equalTo: usernameLabel.bottomAnchor, constant: 2)
    top.isActive = false
    return top
}()

if(comment.isEmpty) {

    cell.commentTextview.removeFromSuperview()
    topToCommentConstraint.isActive = false
    topToUsernameConstraint.isActive = true
}

08-20 03:20