控制流
while、if、guard、switch
For-in循环
While循环
- while
- repeat-while
While
while condition {
...
}
Repeat-While
repeat {
statements
} while condition
条件语句
If
Switch
这里与C系其他语言不同,两个case之间不需要加break来退出;如果两个case要执行相同的代码,可以将其写在一个case中,用逗号分隔;可以匹配区间;
元组
可以使用元组在一个switch中测试多个值,使用_
来匹配所有可能的值
值绑定
可以将匹配到的值临时绑定为一个常量或者变量
所谓的值绑定,因为值是在case的函数体力绑定到临时的常量或者变量的
let anotherPoint = (2, 0)
switch anotherPoint {
case (let x, 0):
print("on the x-axis with an x value of \(x)")
case (0, let y):
print("on the y-axis with a y value of \(y)")
case let (x, y):
print("somewhere else at (\(x), \(y))")
}
如果你的case包含了所有的情况,那么就不需要写default了
Where
switch可以使用where
来检查额外的情况
let yetAnotherPoint = (1, -1)
switch yetAnotherPoint {
case let (x, y) where x == y:
print("(\(x), \(y)) is on the line x == y")
case let (x, y) where x == -y:
print("(\(x), \(y)) is on the line x == -y")
case let (x, y):
print("(\(x), \(y)) is just some arbitrary point")
}
复合情况
多个switch共享一个case的情况可以在case后都写上
控制语句转移
- continue
- break
- fallthrough
- return
- throw
Continue
可以用在for循环里的switch分句case里面,相当于C系语言的break
Break
也可以用在switch中,由于case中不允许为空,所以可以在default语句中直接break
Fallthrough
由于switch中的case执行完之后直接跳出,所以遇到那种执行完上一个case继续执行下一个case的时候,使用fallthrough
给语句打标签
给语句打标签,可以让break、continue指定跳转到这个标签里
提前退出
guard,类似于if,基于布尔值表达式来执行语句。使用guard语句来要求条件必须为真才能执行guard之后的语句。与if不同,guard语句总有一个else分句——else分句里面的代码会在条件不为真的时候执行
func greet(person: [String: String]) {
guard let name = person["name"] else {
return
}
print("Hello \(name)!")
guard let location = person["location"] else {
print("I hope the weather is nice near you.")
return
}
print("I hope the weather is nice in (location).")
}
检查API的可用性
if #available(iOS 9, OSX 10.10, *) {
// Use iOS 9 APIs on iOS, and use OS X v10.10 APIs on OS X
} else {
// Fall back to earlier iOS and OS X APIs
}
网友评论