Object Mapper - 解析[AnyObject]的数组

时间:2016-08-17 09:23:24

标签: ios json swift parsing objectmapper

我已经从API中回复了多个对象的JSON。

里面有type属性。现在,我尝试根据type属性应用某种自动映射,但我无法以任何方式使其工作。

private let modelClassMap = [
    "first_type": First.self
]

func createModelWithDictionary(json: [String: AnyObject]) -> [AnyObject] {
    var items: [AnyObject]
    if let items = json["items"] as? [[String: AnyObject]] {
        for item in items {
            if let typeString = item["type"] as? String {
                var Type = self.modelClassMap[typeString]
                items.append(Mapper<Type>().map(item))
            }
        }
    }
    return items
}

我得到的错误是Type is not a type

1 个答案:

答案 0 :(得分:2)

您尝试做的事情实际上是不可能的,因为模板的关联类型不是运行时。编译器需要在编译时知道类型。

我们可以使用枚举来做一些不同的事情:

enum ModelClassMap: String {
    case FirstType = "first_type"

    func map(item: [String: AnyObject]) -> AnyObject? {
        switch self {
        case FirstType:
            return Mapper<First>().map(item)
        }
    }
}

在你的for循环中你可以尝试将字符串转换为枚举:

func createModelWithDictionary(json: [String: AnyObject]) -> [AnyObject] {
    var mappedItems: [AnyObject] = []
    if let items = json["items"] as? [[String: AnyObject]] {
        items.forEach() {
            if let typeString = $0["type"] as? String,
                let mappedType = ModelClassMap(rawValue: typeString),
                let mappedObject = mappedType.map($0) {
                // mappedObject represents an instance of required object, represented by "type"
                mappedItems.append(mappedObject)
            }
        }
    }
    return mappedItems
}