0
class CView: UIView {

    // MARK: - class

    class func nibView(frame: CGRect, assertion: Assertion?,contentReference: ContentReference?, delegate : AssertionViewDelegate? = nil) -> CView {
        let view =  UINib(nibName: "CView", bundle: nil).instantiate(withOwner: nil, options: nil)[0] as! CView // LEAK
        view.delegate = delegate
        if let assertion = assertion {
            view.configure(for: assertion, contentReference: contentReference)
        }
        return view
    }
    }

在 UITableViewCell 中,我在 init 中添加了这个视图

func initializeViews(){
 if cview == nil {
    self.isOpaque = true
    let view = CView.nibView(frame: CGRect(x: 0, y: 0, width: Int(self.bounds.width), height: 0), assertion: nil, contentReference: nil)
    self.contentView.addSubview(view)
    self.cview = view

    self.cview.translatesAutoresizingMaskIntoConstraints = false
    self.cview.leadingAnchor.constraint(equalTo: self.contentView.leadingAnchor).isActive = true
    self.cview.trailingAnchor.constraint(equalTo: self.contentView.trailingAnchor).isActive = true
    self.cview.bottomAnchor.constraint(equalTo: self.contentView.bottomAnchor).isActive = true
    self.cview.topAnchor.constraint(equalTo: self.contentView.topAnchor).isActive = true
}

}

func configureAssertion(){
    initializeViews()
    assertionView.tag = self.tag
   self.cview.configure() // configure with model
}

这会造成泄漏 - let view = UINib(nibName: "CView", bundle: nil).instantiate(withOwner: nil, options: nil)[0] as! CView// LEAK

I have edited, checking for nil before assigning. And I am calling initializeViews inside configure. But still seeing the leak.
4

1 回答 1

1

您的解决方案看起来很奇怪。通常,您通过注册它来创建一个 UITableViewCell 并像这样将其出列:

// in your UIViewController class
func viewDidLoad() {
    super.viewDidLoad()
    // a) register a cell defined by nib
    tableView.register(UINib(nibName: "MyCellNibName", bundle: Bundle.main), forCellReuseIdentifier: "MyCellIdentifier")
    // b) register a cell defined by code
    tableView.register(MyCellClassName.cellClass, forCellReuseIdentifier: "MyCellIdentifier")
}

// in your tableView's datasource implementing class (maybe your UIViewController class)
func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
    let cell = tableView.dequeueReusableCell(withIdentifier: "MyCellIdentifier", for: indexPath) as! MyCellClassName
    // configure cell
    return cell
}

可以在部件的 contentView 中添加子视图// configure cell,但您必须确保之前没有添加它。请注意,dequeueReusableCell 可能会为您提供您已经使用过一次并滚动到视线之外的单元格(因此它可以被系统重用)。

无论如何,在 UITableViewCell init 中添加子视图是完全错误的,并且违反了可重用单元格的设计。

您没有添加所有代码,因此请检查 CView::delegate 是否也被定义为弱。

另请注意:最好避免在任何 init 中使用功能。初始化对象应该很快。从架构的角度来看,除了在那里分配依赖关系之外,没有理由做更多的事情。从您的班级用户的角度来看,如果一个简单的 YourClass(..) 已经有一些魔力,那是完全出乎意料的。

于 2018-02-17T19:46:53.193 回答