我相信在继承的情况下你必须Coding
自己实现。也就是说,您必须在超类和子类中指定CodingKeys
并实现init(from:)
and encode(to:)
。根据WWDC 视频(大约 49:28,如下图所示),您必须使用超级编码器/解码器调用 super。
required init(from decoder: Decoder) throws {
// Get our container for this subclass' coding keys
let container = try decoder.container(keyedBy: CodingKeys.self)
myVar = try container.decode(MyType.self, forKey: .myVar)
// otherVar = ...
// Get superDecoder for superclass and call super.init(from:) with it
let superDecoder = try container.superDecoder()
try super.init(from: superDecoder)
}
该视频似乎没有显示编码方面(但它是container.superEncoder()
针对encode(to:)
方面的),但它在您的encode(to:)
实现中以几乎相同的方式工作。我可以确认这在这个简单的情况下有效(参见下面的操场代码)。
我自己仍在为一些奇怪的行为而苦苦挣扎,我正在使用一个更复杂的模型进行转换NSCoding
,该模型有许多新嵌套的类型(包括struct
和enum
),它们表现出这种意外nil
行为并且“不应该”。请注意,可能存在涉及嵌套类型的边缘情况。
编辑:嵌套类型似乎在我的测试操场上运行良好;我现在怀疑自引用类(想想树节点的子节点)有问题,它本身的集合还包含该类的各种子类的实例。一个简单的自引用类的测试可以很好地解码(即没有子类),所以我现在将精力集中在子类案例失败的原因上。
2017 年 6 月 25 日更新:我最终向 Apple 提交了一个关于此的错误。Superclass
rdar://32911973 - 不幸的是,包含元素的数组的编码/解码循环Subclass: Superclass
将导致数组中的所有元素都被解码为Superclass
(init(from:)
永远不会调用子类,导致数据丢失或更糟)。
//: Fully-Implemented Inheritance
class FullSuper: Codable {
var id: UUID?
init() {}
private enum CodingKeys: String, CodingKey { case id }
required init(from decoder: Decoder) throws {
let container = try decoder.container(keyedBy: CodingKeys.self)
id = try container.decode(UUID.self, forKey: .id)
}
func encode(to encoder: Encoder) throws {
var container = encoder.container(keyedBy: CodingKeys.self)
try container.encode(id, forKey: .id)
}
}
class FullSub: FullSuper {
var string: String?
private enum CodingKeys: String, CodingKey { case string }
override init() { super.init() }
required init(from decoder: Decoder) throws {
let container = try decoder.container(keyedBy: CodingKeys.self)
let superdecoder = try container.superDecoder()
try super.init(from: superdecoder)
string = try container.decode(String.self, forKey: .string)
}
override func encode(to encoder: Encoder) throws {
var container = encoder.container(keyedBy: CodingKeys.self)
try container.encode(string, forKey: .string)
let superencoder = container.superEncoder()
try super.encode(to: superencoder)
}
}
let fullSub = FullSub()
fullSub.id = UUID()
fullSub.string = "FullSub"
let fullEncoder = PropertyListEncoder()
let fullData = try fullEncoder.encode(fullSub)
let fullDecoder = PropertyListDecoder()
let fullSubDecoded: FullSub = try fullDecoder.decode(FullSub.self, from: fullData)
超类和子类属性都在 中恢复fullSubDecoded
。