Swift 讀書筆記(二)
流程控制 Control Flow
在程式中,常會有許多情況根據條件去做不同的流程,Swift中也和一般程式語言一樣有if else (if) , while, for, switch等。
除了這些常用的外,Swift還提供了例如guard, for-in 等新的語句。
if else & Switch
假設我們有個多條件的判斷要做,如下
let age = 18
var sex = ""
if age >= 18 {
sex = "adult"
} else if {
sex = "child"
} else {
sex = "baby"
}
// sex = adult
根據這種情況Swift下更推薦使用Switch case 去篩選
switch age {
case let age where age >= 18:
sex = "adult"
case let age where (age < 18 && age > 7):
sex = "child"
default:
sex = "baby"
} // sex = adult
case 條件也可以用區間表示,例如 7..<18 取代第二個
另外需要提到的是用switch 一定要滿足所有條件,不然編譯器會報錯誤。
default沒有要設條件可以直接break。
條件匹配方式
if 也可以直接匹配tuple
let size = (width:100, height:100)
if case(100, 100) = size {
print("匹配成功")
}
當然,switch 也可以用tuple去匹配
switch size {
case (100, 100):
print("size")
case (_,100):
print("_代表忽略")
case (100, _):
print("同上")
case (0...100, -100,100) //當然也可以匹配range
print("")
default:
break
}
case 除了條件語句外,還可以用在for循環。
let array = [1, 1, 2, 3, 3]
for case 1 in array {
print("found two value 1") // two times
}
提取optional 的值
let animals: [String?] = ["cat", nil, "dog", nil]
for case let animal? in animals {
print(animal) // cat, dog
}
例子中,使用case let animal?這種形式的話,Swift會提取每一個非nil的元素。
再談Switch,switch除了匹配值外,還可以做類型轉換,例如
let array: [Any] = [1, 2.0, "Three"]
//上面我們分別在array中插入Int Double String三種類型
for value in array {
switch value {
case let v as Int:
print ("v is Integer \(v)")
case let v as Double:
print ("v is Double \(v)")
case let v as String:
print ("v is String \(v)")
default:
print("value")
}
{
// v is Integer 1, v is Double 2.0, v is String Three
也可以判斷類型例如,接上面
switch value {
case is Int:
print("Integer")
}
使用where 和逗號約束條件
where上面有演視過,我們直接關注逗點。
switch中,多個條件可以用逗點去做多條件都實現,也就是貫通
在其他語言switch 不寫break會某個條件式實現後,接著往下繼續實現直到結束或break,但是Swift中預設不能貫通,所以我們可以用以下方式實現。
switch value {
case a:
case b:
}
想讓a b 都實現條件時,可以這樣改寫
switch value {
case a, b:
}
相對的,If判斷式也可以用這樣的方法去做多條件都為true的情況。
if A {
if B {
if C {
}
}
}
====> 改寫成這樣
if A, B, C {
}
另外有個guard 的也是為了縮點多條件if的方法之一,他的括號內部是條件不成立時做的事,例如
let animal:String? = "cat"
guard let animal = animal else {
//如果animal 為nil時處理
return
}
print(animal)
=====================
func animalEqual() {
let animal = "cat"
guard (animal == "cat") else {
print("animal is not cat")
return
}
print(animal)
}
animalEqual // cat