美文网首页Swift
10-Swift字典

10-Swift字典

作者: 诠释残缺 | 来源:发表于2017-04-07 10:21 被阅读11次

    字典是一种存储多个相同类型的值的容器。每个值(value)都关联唯一的键(key),键作为字典中的这个值数据的标识符。和数组中的数据项不同,字典中的数据项并没有具体顺序。我们在需要通过标识符(键)访问数据的时候使用字典,这种方法很大程度上和我们在现实世界中使用字典查字义的方法一样。

    1.创建一个空字典

    Swift的字典使用Dictionary<Key, Value>定义,也可以使用[Key: Value]这样简化的形式去创建一个字典类型。
    后者是首选,文档中创建字典就是使用后者。

    var namesOfIntegers = [Int: String]()
    // namesOfIntegers 是一个空的 [Int: String] 字典。它的键是 Int 型,值是 String 型。
    namesOfIntegers[16] = "sixteen"
    // 包含一个键值对
    namesOfIntegers = [:]
    // 空字典
    

    2.使用字典字面量创建字典

    let dic1 = ["name":"lisi","age":"18"]
    var dic2:[String:Any] = ["name":"lisi","age":18]
    //  类型不同必须指明Any
    

    3.遍历字典

    var airports = ["YYZ":"Toronto Pearson","LHR":"London Heathrow"]
    1> 使用for in 遍历字典
     for (airportCode, airportName) in airports {
         print("(airportCode): (airportName)")
     }
     // YYZ: Toronto Pearson
     // LHR: London Heathrow
    
    for e in airports{
        //e 为元组
        print("字典遍历:\(e)  e.key:\(e.key)  value:\(e.value)")
    }
    //  字典遍历:  ("YYZ","Toronto Pearson" e.key:YYZ e.value:Toronto Pearson)
    //  字典遍历:  ("LHR","London Heathrow" e.key:LHR e.value:London Heathrow)
    
    2> 通过访问keys/values属性,遍历
     for airportCode in airports.keys {
         print("Airport code: (airportCode)")
     }
     // Airport code: YYZ
     // Airport code: LHR
     for airportName in airports.values {
         print("Airport name: (airportName)")
     }
     // Airport name: Toronto Pearson
     // Airport name: London Heathrow
    

    4.访问和修改字典

    var airports = ["YYZ": "Toronto Pearson", "DUB": "Dublin"]
    1> 只读属性count获取字典  数据项数量
    airports.count
    
    2> 使用布尔属性isEmpty检查count是否为0
    airports.isEmpty
    
    3> 通过下标增加数据/修改数据
    airports["LHR"] = "London"  //  增加数据,通过key来取值,key不存在就是新增
    airports["LHR"] = "London Heathrow"  //  修改数据
    
    4> updateValue(_:forKey:)
    通过字典的updateValue(_:forKey:)设置或者更新特定键对应的值
    updateValue(_:forKey:) 方法返回更新值之前的原值,会返回对应值的类型的可选值
    updateValue(_:forKey:) 方法在这个键不存在对应值的时候会设置新值或者在存在时更新已存在的 值
    
    airports.updateValue("Toronto", forKey: "YYZ") // 修改数据
    airports.updateValue("Apple Internation", forKey: "APL") // 增加数据,通过key来取值,key不存在就是新增
    
    5> 删除 
    airports["APL"] = nil // 使用下标语法来通过给某个键的对应值赋值为 nil 来从字典里移除一个键值对
    airports.removeValue(forKey: "DUB") // 使用 removeValue(forKey:) 在字典中移除键值对
    
    
    
    
    
    
    
    
    
    
    

    相关文章

      网友评论

        本文标题:10-Swift字典

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