Control Flow 控制流程

weixin_34232744發表於2017-06-22

If Expression If 表示式

Kotlin 中,if 是條件表示式,可返回值,沒有三元操作符(condition ? then : else)。

傳統的使用,判斷 a < b

// Traditional usage 
var max = a 
if (a < b) max = b

else 結合使用:

// 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 作為表示式(如返回一個值或將其賦值為一個變數),必須有 else

檢視 if 的語法 grammar for if ,如下:
if (used by atomicExpression)
: "if" "(" expression ")" controlStructureBody SEMI? ("else" controlStructureBody)? ;

When Expression When 表示式

when 替代了類C語言裡的switch,結構更簡單,如下:

when (x) {
    1 -> print("x == 1")
    2 -> print("x == 2")
    else -> { // Note the block
        print("x is neither 1 nor 2")
    }
}

if 很相像,當 x1 時,執行 print("x == 1"),當 x2 時,執行 print("x == 2"),如果 x 不等於 1 ,也不等於 2,則執行 else 裡的 print("x is neither 1 nor 2")

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")
}

分支條件也可以是範圍(range)內或範圍外:

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")
}

分支條件也可以是檢查變數是否是某個類,因為 smart casts ,可以直接在後面使用該型別的方法和屬性:

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")
}

when 的語法 grammar for when

For Loops For 迴圈

for 迴圈語法:
for (item in collection) print(item)

body 可以放在塊裡:

for (item: Int in ints) {
    // ...
}

迴圈過程中需要使用索引,迴圈如下:

for (i in array.indices) {
    print(array[i])
}

也可以使用 withIndex 方法實現:

for ((index, value) in array.withIndex()) {
    println("the element at $index is $value")
}

for 語法 grammar for for

While Loops While 迴圈

whiledo...while 與 Java 中的一樣:

while (x > 0) {
    x--
}

do {
    val y = retrieveData()
} while (y != null) // y is visible here!

Break and continue in loops

Kotlin 支援迴圈中使用 breakcontinue,檢視 Returns and jumps

相關文章