Enlil
Enlil

Reputation: 1047

NSCoder crash on decodeBool forKey (Xcode 8, Swift 3)

I have this simple class

import UIKit

class SimpleModel: NSObject, NSCoding {

    var name : String!
    var done : Bool!

    init(name:String) {
        self.name = name
        self.done = false
    }

    internal required init?(coder aDecoder: NSCoder) {
        self.name = aDecoder.decodeObject(forKey: "name") as! String
        self.done = aDecoder.decodeBool(forKey: "done") // BUG HERE
    }

    func encode(with encoder: NSCoder) {
        encoder.encode(self.name, forKey: "name")
        encoder.encode(self.done, forKey: "done")
    }
}

the save code:

let data = NSKeyedArchiver.archivedData(withRootObject: storageArray)
UserDefaults.standard.set(data, forKey: "storage")
UserDefaults.standard.synchronize()

the read code:

if let data = UserDefaults.standard.data(forKey: "storage") {
    storageArray = NSKeyedUnarchiver.unarchiveObject(with: data) as! [SimpleModel]
}

the problem occurs when the NSKeyedUnarchiver does it's job. I can not understand where the problem comes from.

Thanks!

Upvotes: 5

Views: 4055

Answers (3)

Sameer C
Sameer C

Reputation: 129

Bool and Int have new methods:

 self.x = Int(decoder.decodeCInt(forKey: "Speed"))
 self.y = decoder.decodeObject(forKey: "Serial") as! String
 self.z = Bool(decoder.decodeBool(forKey: "Direction") )

Upvotes: 12

Enlil
Enlil

Reputation: 1047

the trick is remove ! form the primitive types. If you put ! you are saying "make an implicit-unwrapped optional" so the encoder will archive as NSNumber instead of Bool (or Int, Double). If you remove ! the encoder will archive as Bool and things works as expected (I spent an "incident" and this solution is provided by Apple)

Upvotes: 14

mswyss
mswyss

Reputation: 332

I had the same Problem. Try this:

self.done = aDecoder.decodeObject(forKey: "done") as? Bool ?? aDecoder.decodeBool(forKey: "done")

Upvotes: 8

Related Questions