使用索引将Swift数组转换为Dictionary

时间:2015-07-16 06:40:50

标签: swift functional-programming swift2 swift3

我正在使用Xcode 6.4

我有一个UIViews数组,我想转换为带有键"v0", "v1"...的词典。像这样:

var dict = [String:UIView]()
for (index, view) in enumerate(views) {
  dict["v\(index)"] = view
}
dict //=> ["v0": <view0>, "v1": <view1> ...]

这有效,但我试图以更实用的方式做到这一点。我想我必须创建dict变量让我感到困扰。我很乐意这样使用enumerate()reduce()

reduce(enumerate(views), [String:UIView]()) { dict, enumeration in
  dict["v\(enumeration.index)"] = enumeration.element // <- error here
  return dict
}

这感觉更好,但是我收到了错误:Cannot assign a value of type 'UIView' to a value of type 'UIView?'我已经尝试使用UIView之外的对象(即:[String] -> [String:String])并且我得到了同样的错误。< / p>

有关清理的建议吗?

1 个答案:

答案 0 :(得分:25)

尝试这样:

reduce(enumerate(a), [String:UIView]()) { (var dict, enumeration) in
    dict["\(enumeration.index)"] = enumeration.element
    return dict
}

Xcode 8•Swift 2.3

extension Array where Element: AnyObject {
    var indexedDictionary: [String:Element] {
        var result: [String:Element] = [:]
        for (index, element) in enumerate() {
            result[String(index)] = element
        }
        return result
    }
}

Xcode 8•Swift 3.0

extension Array  {
    var indexedDictionary: [String: Element] {
        var result: [String: Element] = [:]
        enumerated().forEach({ result[String($0.offset)] = $0.element })
        return result
    }
}

Xcode 9 - 10•Swift 4.0 - 4.2

使用Swift 4 reduce(into:)方法:

extension Collection  {
    var indexedDictionary: [String: Element] {
        return enumerated().reduce(into: [:]) { $0[String($1.offset)] = $1.element }
    }
}

使用Swift 4 Dictionary(uniqueKeysWithValues:)初始化程序并从枚举集合中传递新数组:

extension Collection {
    var indexedDictionary: [String: Element] {
        return Dictionary(uniqueKeysWithValues: enumerated().map{(String($0),$1)})
    }
}