Kotlin控制流程
if表達式
在Kotlin中,if
表達式會返回一個值。因此沒有三元運算符(condition ? then : else
),因爲結構比較簡單,if
表達式工作沒有什麼問題。
// 傳統用法
var max = a
if (a < b) max = b
// With else
var max: Int
if (a > b) {
max = a
} else {
max = b
}
// As expression
val max = if (a > b) a else b
if
分支可以是塊,並且最後一個表達式是塊的值:
val max = if (a > b) {
print("Choose a")
a
} else {
print("Choose b")
b
}
如果使用if
作爲表達式而不是語句(例如,返回其值或將其分配給變量),則表達式需要具有其他分支。
When表達式
當替換類似C語言的交換運算符時。 最簡單的形式就是這樣 -
when (x) {
1 -> print("x == 1")
2 -> print("x == 2")
else -> { // Note the block
print("x is neither 1 nor 2")
}
}
當它的參數與所有when
語句中的分支按順序進行匹配,直到滿足一些分支條件。when
可以用作表達式或作爲語句。 如果將其用作表達式,則滿足分支的值將變爲整體表達式的值。
如果將when
用作語句,則忽略各個分支的值。 (就像if
語句,每個分支可以是一個塊,其值是塊中最後一個表達式的值。)
如果其他的(if
/else if
)分支條件不滿足,則評估求值else
分支。如果when
用作表達式,則else
分支是必需的,除非編譯器可以證明所有可能的情況都被分支條件覆蓋。
如果許多情況應該以同樣的方式處理,分支條件可使用逗號組合:
when (x) {
0, 1 -> print("x == 0 or x == 1")
else -> print("otherwise")
}
可以使用任意表達式(不僅僅是常量)作爲分支條件 -
when (x) {
parseInt(s) -> print("s encodes x")
else -> print("s does not encode x")
}
還可以檢查值是否在或不在(in
/!in
)範圍內或集合中:
when (x) {
in 1..10 -> print("x is in the range")
in validNumbers -> print("x is valid")
!in 10..20 -> print("x is outside the range")
else -> print("none of the above")
}
另一個可能性是檢查一個值是否(is
/!is
)爲指定類型的值。請注意,由於智能轉換,可以訪問類型的方法和屬性,而無需任何額外的檢查。
fun hasPrefix(x: Any) = when(x) {
is String -> x.startsWith("prefix")
else -> false
}
when
也可以用來替代if-else if
語句語法。 如果沒有提供參數,則分支條件是簡單的布爾表達式,當條件爲真時執行分支:
when {
x.isOdd() -> print("x is odd")
x.isEven() -> print("x is even")
else -> print("x is funny")
}
for循環
for
循環提供迭代器用來遍歷任何東西。 語法如下:
for (item in collection) print(item)
主體可以是一個塊,如下 -
for (item: Int in ints) {
// ...
}
如前所述,for
迭代提供迭代器的任何內容,即
- 有一個成員或擴展函數
iterator()
,它的返回類型:- 有一個成員或擴展函數
next()
和 - 有一個返回Boolean的成員或擴展函數
hasNext()
。
- 有一個成員或擴展函數
所有這三個函數都需要被標記爲運算符。
for
循環數組被編譯爲一個基於索引的循環,它不會創建一個迭代器對象。如果要遍歷具有索引的數組或列表,可以這樣做:
for (i in array.indices) {
print(array[i])
}
請注意,這個「通過範圍的迭代」被編譯成最佳實現,沒有創建額外的對象。
或者,可以使用withIndex
庫函數:
for ((index, value) in array.withIndex()) {
println("the element at $index is $value")
}
while循環
while
和 do..while
用法和java語言中一樣,如下 -
while (x > 0) {
x--
}
do {
val y = retrieveData()
} while (y != null) // y is visible here!
在循環中的 break 和 continue 語句
Kotlin在循環中,支持傳統的break
和continue
運算符。請參考返回和跳轉。