如何在 swift3 中将 Dictionary 插入 Set 中?

How to insert Dictionary into Set in swift3?

我有一个简单的字典,其定义如下:

let dic = ["key" : "value"]

我想将 'dic' 添加到这张地图中:

var map = Set<NSDictionary>()
//    var map = Set<Dictionary<String,String>>()

_ = map.insert(dic as NSDictionary)

我不想使用 'dic as NSDictionary'。

但我不知道如何执行此操作我在互联网上搜索了很多但没有任何帮助。

不管填充一组字典的目的是什么,注意声明的dic类型是不是NSDictionary,而是一个-Swift- 字符串键和字符串值的字典 ([String : String]).

因此,您可以将集合声明为:

let dic = ["key" : "value"]
var map = Set<Dictionary<String, String>>()

_ = map.insert(dic as NSDictionary)

但是这里有问题!你会得到:

Type 'Dictionary' does not conform to protocol 'Hashable'

那是什么意思?以及如何解决?

这个集合是 Swift 中的一种特殊集合,因为它 不能 有重复的元素,这导致询问 "how to determine that a dictionary is unique".

作为解决方法,您可以实施类似于以下内容的扩展:

extension Dictionary: Hashable  {
    public var hashValue: Int {
        return self.keys.map { [=11=].hashValue }.reduce(0, +)
    }

    public static func ==(lhs: Dictionary<Key, Value>, rhs: Dictionary<Key, Value>) -> Bool {
        return lhs.keys == rhs.keys
    }
}

这样你就可以做到:

let dic1 = ["key" : "value"]
let dic2 = ["key2" : "value"]
let dic3 = ["key3" : "value"]
let dic4 = ["key2" : "value"]
let dic5 = ["key3" : "value"]

var map = Set<Dictionary<String, String>>()

_ = map.insert(dic1)
_ = map.insert(dic2)
_ = map.insert(dic3)
_ = map.insert(dic4)
_ = map.insert(dic5)

print(map) // [["key2": "value"], ["key": "value"], ["key3": "value"]] (unordered)

请注意,基于上面实现的扩展,您还可以声明一组 ints 键和 ints 值的字典-例如-:

var intsMap = Set<Dictionary<Int, Int>>()

var d1 = [1: 12]
var d2 = [2: 101]
var d3 = [1: 1000]

intsMap.insert(d1)
intsMap.insert(d2)
intsMap.insert(d3)

print(intsMap) // [[2: 101], [1: 12]] (unordered)