09-Swift集合

集合(Set)用来存储相同类型并且没有确定顺序的值。当集合元素顺序不重要时或者希望确保每个元素只出现一次 时可以使用 合而不是数组。
1.创建和构造一个空的集合

var letters = Set()// 空集合 letters.insert("a") // 含有一个Character类型的值 letters = []// 空

2.使用数组字面量创建集合
var favoriteGenres: Set = ["Rock","Classical","Hip hop"] var favoriteGenres: Set = ["Rock","Classical","Hip hop"]

3.遍历集合
// for in 循环遍历集合中所有值 for genre in favoriteGenres { print("\(genre)") } Jazz Hip hop Classical// 按照特定顺序遍历一个集合,返回一个有序数组。 for genre in favoriteGenres.sorted() { print("\(genre)") } Classical Hip hop Jazz

4.访问和修改集合
1> 只读属性count获取集合元素数量 favoriteGenres.count2> 使用布尔属性isEmpty检查count是否为0 favoriteGenres.isEmpty3> insert(_:)添加新元素 favoriteGenres.insert("Jazz")4> remove(_")删除元素 removeAll()删除全部 favoriteGenres.remove("Rock")5> contains(_:)检查集合中是否包含一个特定的值 if favoriteGenres.contains("Funk") {··· print("I get up on the good foot.") } else { print("It's too funky in here.") }

5.集合操作 【09-Swift集合】可以高效地完成 Set 的一些基本操作,比如把两个 合组合到一起,判断两个 合共有元素,或者判断两个 合是否全包含,部分包含或者不相交。
let oddDigits: Set = [1, 3, 5, 7, 9] let evenDigits: Set = [0, 2, 4, 6, 8] let singleDigitPrimeNumbers: Set = [2, 3, 5, 7]

1>使用 intersection(_:) 方法根据两个 合中都包含的值创建的一个新的 合。
oddDigits. intersection(evenDigits).sorted() // []

2>使用 symmetricDifference(_:) 方法根据在一个 合中但不在两个 合中的值创建一个新的 合。
oddDigits. symmetricDifference(singleDigitPrimeNumbers).sorted() // [1, 2, 9]

3>使用 union(_:) 方法根据两个 合的值创建一个新的 合。
oddDigits.union(evenDigits).sorted() // [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]

4>使用 subtracting(_:) 方法根据不在该 合中的值创建一个新的 合。
oddDigits.subtracting(singleDigitPrimeNumbers).sorted() // [1, 9]

6.集合成员关系和相等
let aSet: Set = [1, 3, 5, 7, 9] let bSet: Set = [2, 4, 6, 8, 0] let cSet: Set = [1, 2, 3, 4, 5, 6, 7, 8, 9, 0] let dSet: Set = [2, 3, 5, 7] let eSet: Set = [2, 3, 5, 7] let fSet: Set = [1, 5]

1>使用“是否相等”运算符( == )来判断两个 合是否包含全部相同的值。
if dSet == eSet { print(dSet,"=",eSet) } // [5, 7, 2, 3] = [5, 7, 2, 3]

2>使用 isSubset(of:) 方法来判断一个 合中的值是否也被包含在另外一个 合中。
if fSet.isSubset(of: aSet) {//前者被包含在后者中 print(fSet,"的值被包含在",aSet) } // [5, 1] 的值被包含在 [5, 7, 3, 1, 9]

3>使用 isSuperset(of:) 方法来判断一个 合中包含另一个 合中所有的值。
if cSet.isSuperset(of: aSet) {//前者包含后者 print(cSet,"包含",aSet,"所有值") } // [0, 2, 4, 9, 5, 6, 7, 3, 1, 8] 包含 [5, 7, 3, 1, 9] 所有值

4>使用 isStrictSubset(of:) 或者 isStrictSuperset(of:) 方法来判断一个 合是否是另外一个 合的子 合或 者父 合并 且两个 合并不相等。
if bSet.isStrictSubset(of: cSet) {//前者是后者的子集 print(bSet,"是",cSet,"的子集,并且不相等") } // [6, 2, 4, 8, 0] 是 [0, 2, 4, 9, 5, 6, 7, 3, 1, 8] 的子集,并且不相等 if cSet.isStrictSuperset(of: aSet) {//前者是后者的父集 print(cSet,"是",aSet,"的父集,并且不相等") } // [0, 2, 4, 9, 5, 6, 7, 3, 1, 8] 是 [5, 7, 3, 1, 9] 的父集,并且不相等

5>使用 isDisjoint(with:) 方法来判断两个 合是否不含有相同的值(是否没有交 )。
if aSet.isDisjoint(with: bSet) { print(aSet,"和",bSet,"不含相同的值(没有交集)") } // [5, 7, 3, 1, 9] 和 [6, 2, 4, 8, 0] 不含相同的值(没有交集)

    推荐阅读