Swift 字典
webkong 9/22/2017
原文:
http://www.runoob.com/swift/swift-dictionaries.html (opens new window)
https://developer.apple.com/ (opens new window)
Swift 字典用来存储无序的相同类型数据的集合,Swift 字典会强制检测元素的类型,如果类型不同则会报错。 Swift 字典每个值(value)都关联唯一的键(key),键作为字典中的这个值数据的标识符。 和数组中的数据项不同,字典中的数据项并没有具体顺序。我们在需要通过标识符(键)访问数据的时候使用字典,这种方法很大程度上和我们在现实世界中使用字典查字义的方法一样。 Swift 字典的 key 没有类型限制可以是整型或字符串,但必须是唯一的。 如果创建一个字典,并赋值给一个变量,则创建的字典就是可以修改的。这意味着在创建字典后,可以通过添加、删除、修改的方式改变字典里的项目。如果将一个字典赋值给常量,字典就不可修改,并且字典的大小和内容都不可以修改。
# 创建空字典
var namesOfIntegers = [Int: String]()
// namesOfIntegers is an empty [Int: String] dictionary
namesOfIntegers[16] = "sixteen"
// namesOfIntegers now contains 1 key-value pair
namesOfIntegers = [:]
// namesOfIntegers is once again an empty dictionary of type [Int: String]
1
2
3
4
5
6
7
8
2
3
4
5
6
7
8
# 创建一个字典
var airports: [String: String] = ["YYZ": "Toronto Pearson", "DUB": "Dublin"]
//也可以
var airports = ["YYZ": "Toronto Pearson", "DUB": "Dublin"]
1
2
3
2
3
# 访问和修改字典
//add
airports["LHR"] = "London"
// the airports dictionary now contains 3 items
//accessing
airports["YYZ"] // 如果没有返回nil
//remove for key
removedValue = airports.removeValue(forKey: "DUB")
//modify/update
airports["LHR"] = "London Heathrow"
//update
airports.updateValue("Dublin Airport", forKey: "DUB")
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
# 遍历字典
for (airportCode, airportName) in airports {
print("\(airportCode): \(airportName)")
}
//只遍历值或者key
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
还可以单独使用keys和values来获取对应的array
let airportCodes = [String](airports.keys)
// airportCodes is ["YYZ", "LHR"]
let airportNames = [String](airports.values)
// airportNames is ["Toronto Pearson", "London Heathrow"]
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26