0

我正在创建一个符合可编码的类。

我有这个:

import Foundation

class Attribute : Decodable {

  var number: Int16
  var label: String?
  var comments: String?

  init(number:Int16, label:String?, comments:String?) {
    self.number = number
    self.label = label
    self.comments = comments
  }

  // Everything from here on is generated for you by the compiler
  required init(from decoder: Decoder) throws {
    let keyedContainer = try decoder.container(keyedBy: CodingKeys.self)
    number = try keyedContainer.decode(Int16.self, forKey: .number)
    label = try keyedContainer.decode(String.self, forKey: .label)
    comments = try keyedContainer.decode(String.self, forKey: .comments)
  }

  enum CodingKeys: String, CodingKey {
    case number
    case label
    case comments
  }

}

extension Attribute: Encodable {

  public func encode(to encoder: Encoder) throws {
    var container = encoder.container(keyedBy: CodingKeys.self)
    try container.encode(number, forKey: .number)
    try container.encode(label, forKey: .label)
    try container.encode(comments, forKey: .comments)
  }
}

这显然很好。

我创建一个实例Attribute并使用以下方法对其进行编码:

  let newAttribute = Attribute.init(number:value.number, label:value.label, comments:value.shortcut)

然后我创建一个包含这些属性的数组并使用

  let array = try JSONEncoder().encode(array)

这将对 to 的数组进行Attribute编码Data

然后我尝试将Data对象转换回Attribute使用这个的数组:

let array = try JSONDecoder().decode(Attribute.self, from: data) as! Array<Attribute> 

我得到的第一个错误是:

从“属性”转换为不相关类型“数组<属性>”总是失败

如果我移除铸件,我会在解码尝试时发现此错误......

可选(“数据格式不正确。”)

有任何想法吗?

4

1 回答 1

2

您需要传入数组进行解码,不要传入数组元素类型,然后尝试将其强制转换为数组,这没有任何意义。YourTypeandArray<YourType>是两种不同且完全不相关的类型,因此您不能将一种转换为另一种,调用时需要使用特定类型JSONDecoder.decode(_:from:)

let array = try JSONDecoder().decode([Attribute].self, from: data)

顺便说一句,正如您在上一个问题中已经指出的那样,无需为您的简单类型手动编写init(from:)andencode(to:)方法,CodingKeys enum因为编译器可以为您自动综合所有这些。此外,如果您使用 astruct而不是class,您还将免费获得成员明智的初始化程序。

于 2019-08-14T14:38:56.177 回答