8

想象一个如下的数据结构,其中包含contents一个已编码的 JSON 片段的值。

let partial = """
{ "foo": "Foo", "bar": 1 }
"""

struct Document {
  let contents: String
  let other: [String: Int]
}

let doc = Document(contents: partial, other: ["foo": 1])

期望的输出

组合数据结构应按contents原样使用并进行编码other

{
  "contents": { "foo": "Foo", "bar": 1 },
  "other": { "foo": 1 }
}

使用Encodable

以下实现Encodable编码Document为 JSON,但它也重新编码contents为字符串,这意味着它被包裹在引号中,并且所有"引号都转义为\".

extension Document : Encodable {
    enum CodingKeys : String, CodingKey {
        case contents
        case other
    }

    func encode(to encoder: Encoder) throws {
        var container = encoder.container(keyedBy: CodingKeys.self)

        try container.encode(contents, forKey: .contents)
        try container.encode(other, forKey: .other)
    }
}

输出

{
  "contents": "{\"foo\": \"Foo\", \"bar\": 1}",
  "other": { "foo": 1 }
}

怎么可能encode就这样通过contents

4

3 回答 3

3

我同意艾哈迈德的基本方法,但我假设你需要一些更有活力的东西。在这种情况下,您应该明确这content不是“字符串”。它是 JSON。因此,您可以使用JSON 类型将其存储为 JSON (在此处进行了简化,请参阅 gist 以获取功能更丰富的版本):

enum JSON: Codable {
    struct Key: CodingKey, Hashable, CustomStringConvertible {
        var description: String {
            return stringValue
        }

        let stringValue: String
        init(_ string: String) { self.stringValue = string }
        init?(stringValue: String) { self.init(stringValue) }
        var intValue: Int? { return nil }
        init?(intValue: Int) { return nil }
    }

    case string(String)
    case number(Double) // FIXME: Split Int and Double
    case object([Key: JSON])
    case array([JSON])
    case bool(Bool)
    case null

    init(from decoder: Decoder) throws {
        if let string = try? decoder.singleValueContainer().decode(String.self) { self = .string(string) }
        else if let number = try? decoder.singleValueContainer().decode(Double.self) { self = .number(number) }
        else if let object = try? decoder.container(keyedBy: Key.self) {
            var result: [Key: JSON] = [:]
            for key in object.allKeys {
                result[key] = (try? object.decode(JSON.self, forKey: key)) ?? .null
            }
            self = .object(result)
        }
        else if var array = try? decoder.unkeyedContainer() {
            var result: [JSON] = []
            for _ in 0..<(array.count ?? 0) {
                result.append(try array.decode(JSON.self))
            }
            self = .array(result)
        }
        else if let bool = try? decoder.singleValueContainer().decode(Bool.self) { self = .bool(bool) }
        else if let isNull = try? decoder.singleValueContainer().decodeNil(), isNull { self = .null }
        else { throw DecodingError.dataCorrupted(DecodingError.Context(codingPath: [],
                                                                       debugDescription: "Unknown JSON type")) }
    }

    func encode(to encoder: Encoder) throws {
        switch self {
        case .string(let string):
            var container = encoder.singleValueContainer()
            try container.encode(string)
        case .number(let number):
            var container = encoder.singleValueContainer()
            try container.encode(number)
        case .bool(let bool):
            var container = encoder.singleValueContainer()
            try container.encode(bool)
        case .object(let object):
            var container = encoder.container(keyedBy: Key.self)
            for (key, value) in object {
                try container.encode(value, forKey: key)
            }
        case .array(let array):
            var container = encoder.unkeyedContainer()
            for value in array {
                try container.encode(value)
            }
        case .null:
            var container = encoder.singleValueContainer()
            try container.encodeNil()
        }
    }
}

有了它,您可以重新定义您的文档以保存 JSON:

struct Document: Codable {
  let contents: JSON
  let other: [String: Int]
}

如果您愿意,可以从字符串中解码 JSON:

let doc = Document(contents:
    try! JSONDecoder().decode(JSON.self, from: Data(partial.utf8)),
                   other: ["foo": 1])

有了它,默认值JSONEncoder()就是您获取所描述的输出所需的全部内容。

于 2019-09-30T22:22:54.357 回答
2

你可以通过这样做来实现它:

let partial = """
{
"foo": "Foo",
"bar": 1
}
"""

// declare a new type for `content` to deal with it as an object instead of a string
struct Document {
    let contents: Contents
    let other: [String: Int]

    struct Contents: Codable {
        let foo: String
        let bar: Int
    }
}

extension Document : Encodable {
    enum CodingKeys: String, CodingKey {
        case contents
        case other
    }

    func encode(to encoder: Encoder) throws {
        var container = encoder.container(keyedBy: CodingKeys.self)

        try container.encode(contents, forKey: .contents)
        try container.encode(other, forKey: .other)
    }
}

let decoder = JSONDecoder()
let contents = try decoder.decode(Document.Contents.self, from: partial.data(using: .utf8)!)

let encoder = JSONEncoder()
let doc = Document(contents: contents, other: ["foo": 1])
let result = try encoder.encode(doc)
print(String(data: result, encoding: .utf8)!)

基本上,您可以partial先对其进行解码处理,然后将其解码结果传递给Document.

输出应该是:

{"other":{"foo":1},"contents":{"foo":"Foo","bar":1}}

于 2019-09-30T22:12:27.403 回答
0

我可能有点晚了,但我希望它对未来的人有所帮助。我有一个类似的问题,我有一些预编码的变量,并想将它们嵌套在一些可编码的父结构中。

struct Request: Encodable {
    let variables: [String: Data] // I'd encode data to JSON someplace else.
}

不幸的是,每个键值的类型各不相同(例如,一个键中可以有一个整数,另一个键中有一个对象),我无法从第一次对其进行编码的位置向上传递信息。这是我的想法:

{ 
    "variables": {
        "one": { "hello": "world" },
        "two": 2
    }
}

枚举和泛型也不是一个选项,因为这是一个高度灵活的部分,只需要符合 Encodable 的类型。

总而言之,我最终复制了您可以在此处找到的大部分 Swift JSONEncoder 实现。(我建议清除 JSONDecoder 实现,因为它在我们的案例中没有用。)

需要更改的部分encode在类中的函数内部JSONEncoder。基本上,您想要拆分获得topLevel价值的部分(即NSObject)和序列化它的部分。newencode还应该返回一个NSObject-type 而不是Data.

open func encode<T : Encodable>(_ value: T) throws -> NSObject {
    let encoder = __JSONEncoder(options: self.options)

    guard let topLevel = try encoder.box_(value) else {
        throw EncodingError.invalidValue(value, EncodingError.Context(codingPath: [], debugDescription: "Top-level \(T.self) did not encode any values."))
    }

    return topLevel
}

一旦你有了它,你可以将NSObject任何地方作为类型传递,剩下的重要部分是你运行JSONSerialization.data函数来获取实际的 JSON。JSONEncoder 在内部所做的是将Encodable结构简化为Foundation类型。JSONSerialization然后可以处理这些类型,你会得到一个有效的 JSON。

这是我使用它的方式:

let body: Any = [
    "query": query, // String
    "variables": variables // NSObject dictionary
]

let httpBody = try! JSONSerialization.data(
    withJSONObject: body,
    options: JSONSerialization.WritingOptions()
)
request.httpBody = httpBody
于 2020-10-27T20:35:11.827 回答