'Use of self in method call before super.init initializes self', can't init properties through a method call

Kevin DiTraglia picture Kevin DiTraglia · Nov 17, 2015 · Viewed 17.6k times · Source

I'm curious is there is anyway to call a method inside your init method that sets instance properties of the class. Essentially I just have a class that sub-classes UIView, adds some subviews in init, and some of those subviews are instance variables of the class.

class MyView: UIView {
    var collectionView: UICollectionView

    convenience init () {
        self.init(frame:CGRectZero)
    }

    override init (frame : CGRect) {
        super.init(frame : frame)

        addSubviews()
    }

    required init(coder aDecoder: NSCoder) {
        super.init(coder: aDecoder)

        addSubviews()
    }

    func addSubviews (){
        self.collectionView = UICollectionView()

    }
}

Now the problem comes that I can't call super init before initializing my classes internal properties (Property 'self.collectionView' not inialized at super.init call), but I also can't call my custom method to initialize those variables prior to super.init, as it cannot use self prior to that initialization. I realize I could make the instance variable optional, but it seems less elegant, as I know it will always be initialized (and there are several more, this is just a simplified version). Is there any way to accomplish this without making all my instance variables optionals?

EDIT:

I think ultimately my question is why does swift dis-allow calling a method prior to calling super.init? What's the difference between:

override init (frame : CGRect) {
    addSubviews()
    super.init(frame : frame)
}

final func addSubviews (){
    self.collectionView = UICollectionView()
}

and

override init (frame : CGRect) {
    self.collectionView = UICollectionView()
    super.init(frame : frame)
}

Answer

Alexey Pichukov picture Alexey Pichukov · Nov 17, 2015

Form documentation:

Swift’s compiler performs four helpful safety-checks to make sure that two-phase initialization is completed without error:

Safety check 1 A designated initializer must ensure that all of the properties introduced by its class are initialized before it delegates up to a superclass initializer.

You need to set value for instance variable before you call super.init() And after this action you will access to call instance methods. In your case you can do this:

override init (frame : CGRect) {
    self.collectionView = UICollectionView()
    super.init(frame : frame)
    // Now you can call method
    self.someMethod()
}

ADD for question's EDIT:

You can't call method before super.init() call because of safety reasons. If you will do it then your method can use some properties which have not yet been initialized in the parent class