3

如果我构建一个 Swift 字典,即[String: Any]如何将它作为 JSON 返回?我试过这个,但它给了我错误:Argument labels '(node:)' do not match any available overloads.

drop.get("test") { request in
    var data: [String: Any] = [:]

    data["name"] = "David"
    data["state"] = "CA"

    return try JSON(node: data)
}
4

2 回答 2

2

令人费解,但这允许您使用 [String:Any].makeNode(),只要内部是 NodeRepresentable、基于 NSNumber 或 NSNull :) --

import Node

enum NodeConversionError : LocalizedError {
    case invalidValue(String,Any)
    var errorDescription: String? {
        switch self {
        case .invalidValue(let key, let value): return "Value for \(key) is not NodeRepresentable - " + String(describing: type(of: value))
        }
    }
}

extension NSNumber : NodeRepresentable {
    public func makeNode(context: Context = EmptyNode) throws -> Node {
        return Node.number(.double(Double(self)))
    }
}

extension NSString : NodeRepresentable {
    public func makeNode(context: Context = EmptyNode) throws -> Node {
        return Node.string(String(self))
    }
}

extension KeyAccessible where Key == String, Value == Any {
    public func makeNode(context: Context = EmptyNode) throws -> Node {
        var mutable: [String : Node] = [:]
        try allItems.forEach { key, value in
            if let _ = value as? NSNull {
                mutable[key] = Node.null
            } else {
                guard let nodeable = value as? NodeRepresentable else { throw NodeConversionError.invalidValue(key, value) }
                mutable[key] = try nodeable.makeNode()
            }
        }
        return .object(mutable)
    }

    public func converted<T: NodeInitializable>(to type: T.Type = T.self) throws -> T {
        return try makeNode().converted()
    }
}

使用该标题,您可以:

return try JSON(node: data.makeNode())
于 2017-04-06T00:17:04.783 回答
1

JSON 无法从[String : Any]字典初始化,因为Any它不能转换为Node.

Node 可以是有限数量的类型。(见节点源)。如果您知道您的对象都将是相同的类型,请使用只允许该类型的字典。因此,对于您的示例,[String : String].

如果您要从请求中获取数据,您可以尝试使用此处request.json文档中使用的原样。

编辑:

另一个(可能更好)的解决方案是制作你的字典[String: Node],然后你可以包含任何符合Node. 不过,您可能必须调用对象的makeNode()函数才能将其添加到字典中。

于 2017-01-29T19:56:45.080 回答