美文网首页
swift再学习之 - swift3.0 集合Sets

swift再学习之 - swift3.0 集合Sets

作者: xukunluren | 来源:发表于2017-04-26 14:20 被阅读0次

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

    创建和构造一个空的集合:

    var letters =Set<Character>()

    print("letters is of type Set with\(letters.count)items.")

    用数组字面量创建集合:

    var favoriteGenres:Set = ["Rock","Classical","Hip hop"]

    // favoriteGenres 被构造成含有三个初始值的集合

    访问和修改一个集合

    你可以通过Set的属性和方法来访问和修改一个Set。

    为了找出一个Set中元素的数量,可以使用其只读属性count:

    print("I have\(favoriteGenres.count)favorite music genres.")

    // 打印 "I have 3 favorite music genres."

    使用布尔属性isEmpty作为一个缩写形式去检查count属性是否为0:

    if favoriteGenres.isEmpty {

    print("As far as music goes, I'm not picky.")

    }else{

    print("I have particular music preferences.")

    }// 打印 "I have particular music preferences."

    你可以通过调用Set的insert(_:)方法来添加一个新元素:

    favoriteGenres.insert("Jazz")// favoriteGenres 现在包含4个元素

    你可以通过调用Set的remove(_:)方法去删除一个元素,如果该值是该Set的一个元素则删除该元素并且返回被删除的元素值,否则如果该Set不包含该值,则返回nil。另外,Set中的所有元素可以通过它的removeAll()方法删除。

    if let removedGenre = favoriteGenres.remove("Rock") 

    {print("\(removedGenre)? I'm over it.")}

    else{print("I never much cared for that.")}// 打印 "Rock? I'm over it."

    使用contains(_:)方法去检查Set中是否包含一个特定的值:

    if favoriteGenres.contains("Funk") {print("I get up on the good foot.")}

    else{print("It's too funky in here.")}// 打印 "It's too funky in here."

    集合操作


    基本集合操作

    使用intersect(_:)方法根据两个集合中都包含的值创建的一个新的集合。

    使用exclusiveOr(_:)方法根据在一个集合中但不在两个集合中的值创建一个新的集合。

    使用union(_:)方法根据两个集合的值创建一个新的集合。

    使用subtract(_:)方法根据不在该集合中的值创建一个新的集合。

    letoddDigits:Set= [1,3,5,7,9]

    letevenDigits:Set= [0,2,4,6,8]

    letsingleDigitPrimeNumbers:Set= [2,3,5,7]

    oddDigits.union(evenDigits).sort()// [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]

    oddDigits.intersect(evenDigits).sort()// []

    oddDigits.subtract(singleDigitPrimeNumbers).sort()// [1, 9]

    oddDigits.exclusiveOr(singleDigitPrimeNumbers).sort()// [1, 2, 9]

    集合成员关系和相等


    使用“是否相等”运算符(==)来判断两个集合是否包含全部相同的值。

    使用isSubsetOf(_:)方法来判断一个集合中的值是否也被包含在另外一个集合中。

    使用isSupersetOf(_:)方法来判断一个集合中包含另一个集合中所有的值。

    使用isStrictSubsetOf(_:)或者isStrictSupersetOf(_:)方法来判断一个集合是否是另外一个集合的子集合或者父集合并且两个集合并不相等。

    使用isDisjointWith(_:)方法来判断两个集合是否不含有相同的值(是否没有交集)。

    let houseAnimals:Set= ["🐶","🐱"]

    let farmAnimals:Set= ["🐮","🐔","🐑","🐶","🐱"]

    let cityAnimals:Set= ["🐦","🐭"]

    houseAnimals.isSubsetOf(farmAnimals)// true

    farmAnimals.isSupersetOf(houseAnimals)// true

    farmAnimals.isDisjointWith(cityAnimals)// true

    相关文章

      网友评论

          本文标题:swift再学习之 - swift3.0 集合Sets

          本文链接:https://www.haomeiwen.com/subject/qymizttx.html