Class does not implement its superclass’s required members

From an Apple employee on the Developer Forums:

“A way to declare to the compiler and the built program that you really
don’t want to be NSCoding-compatible is to do something like this:”

required init(coder: NSCoder) {
  fatalError("NSCoding not supported")
}

If you know you don’t want to be NSCoding compliant, this is an option. I’ve taken this approach with a lot of my SpriteKit code, as I know I won’t be loading it from a storyboard.


Another option you can take which works rather well is to implement the method as a convenience init, like so:

convenience required init(coder: NSCoder) {
    self.init(stringParam: "", intParam: 5)
}

Note the call to an initializer in self. This allows you to only have to use dummy values for the parameters, as opposed to all non-optional properties, while avoiding throwing a fatal error.


The third option of course is to implement the method while calling super, and initialize all of your non-optional properties. You should take this approach if the object is a view being loaded from a storyboard:

required init(coder aDecoder: NSCoder!) {
    foo = "some string"
    bar = 9001

    super.init(coder: aDecoder)
}

Leave a Comment