17

在 Swift 中,我试图将一系列字典扁平化为一个字典,即

let arrayOfDictionaries = [["key1": "value1"], ["key2": "value2"], ["key3": "value3", "key4": "value4"]]


//the end result will be:   
 flattenedArray = ["key1": "value1", "key2": "value2", "key3": "value3", "key4": "value4"]

我试过使用flatmap,但返回结果的类型是[(String, AnyObject)]而不是[String, Object]ie

let flattenedArray = arrayOfDictionaries.flatMap { $0 }
// type is [(String, AnyObject)]

所以我有两个问题:

  • 为什么返回类型 [(String, AnyObject)]?括号是什么意思?

  • 我如何达到预期的效果?

编辑:我更喜欢使用 Swift 的 map/flatmap/reduce 等功能方法,而不是 for 循环

4

4 回答 4

18

括号是什么意思?

这与逗号而不是冒号一起应该提供第一个线索:括号意味着你得到一个元组数组。由于您要查找的是字典,而不是数组,这告诉您需要将元组序列(键值对)转换为单个字典。

我如何达到预期的效果?

一种方法是使用reduce,如下所示:

let flattenedDictionary = arrayOfDictionaries
    .flatMap { $0 }
    .reduce([String:String]()) { (var dict, tuple) in
        dict.updateValue(tuple.1, forKey: tuple.0)
        return dict
    }
于 2016-02-24T09:45:38.040 回答
13

使用 Swift 5,Dictionay有一个init(_:uniquingKeysWith:)初始化程序。init(_:uniquingKeysWith:)有以下声明:

init<S>(_ keysAndValues: S, uniquingKeysWith combine: (Value, Value) throws -> Value) rethrows where S : Sequence, S.Element == (Key, Value)

从给定序列中的键值对创建一个新字典,使用组合闭包来确定任何重复键的值。


以下两个 Playground 示例代码展示了如何将字典数组展平为新字典。

let dictionaryArray = [["key1": "value1"], ["key1": "value5", "key2": "value2"], ["key3": "value3"]]

let tupleArray: [(String, String)] = dictionaryArray.flatMap { $0 }
let dictonary = Dictionary(tupleArray, uniquingKeysWith: { (first, last) in last })

print(dictonary) // prints ["key2": "value2", "key3": "value3", "key1": "value5"]
let dictionaryArray = [["key1": 10], ["key1": 10, "key2": 2], ["key3": 3]]

let tupleArray: [(String, Int)] = dictionaryArray.flatMap { $0 }
let dictonary = Dictionary(tupleArray, uniquingKeysWith: { (first, last) in first + last })
//let dictonary = Dictionary(tupleArray, uniquingKeysWith: +) // also works

print(dictonary) // ["key2": 2, "key3": 3, "key1": 20]
于 2017-06-13T22:34:08.820 回答
9

更新@dasblinkenlight 对 Swift 3 的回答。

参数中的“var”已被弃用,但这种方法对我来说效果很好。

let flattenedDictionary = arrayOfDictionaries
    .flatMap { $0 }
    .reduce([String:String]()) { (dict, tuple) in
        var nextDict = dict
        nextDict.updateValue(tuple.1, forKey: tuple.0)
        return nextDict
    }
于 2017-04-21T06:42:47.313 回答
1

这是做的方法

let arrayOfDictionaries = [["key1": "value1"], ["key2": "value2"], ["key3": "value3", "key4": "value4"]]
var dic = [String: String]()
for item in arrayOfDictionaries {
    for (kind, value) in item {
        print(kind)
        dic.updateValue(value, forKey: kind)
    }


}
print(dic)

print(dic["key1"]!)

输出

输出

于 2016-02-24T09:44:49.543 回答