Go if/else语句实例

Go if/else语句实例

在Go语言中的分支,ifelse是直接的。

所有的示例代码,都放在 F:\worksp\golang 目录下。安装Go编程环境请参考:/tutorial/detail-5562.html

这里有一个基本的例子。
一个if语句可以不用else语句。
语句可以在条件语句之前; 在此语句中声明的任何变量在所有分支中都可用。
注意,Go语言中的条件不需要围绕括号,但是大括号是必需的。

Go语言中没有三元组,所以即使对于基本条件,也需要使用一个完整的if语句。

if-else.go的完整代码如下所示 -

package main

import "fmt"

func main() {

    // Here's a basic example.
    if 7%2 == 0 {
        fmt.Println("7 is even")
    } else {
        fmt.Println("7 is odd")
    }

    // You can have an `if` statement without an else.
    if 8%4 == 0 {
        fmt.Println("8 is divisible by 4")
    }

    // A statement can precede conditionals; any variables
    // declared in this statement are available in all
    // branches.
    if num := 9; num < 0 {
        fmt.Println(num, "is negative")
    } else if num < 10 {
        fmt.Println(num, "has 1 digit")
    } else {
        fmt.Println(num, "has multiple digits")
    }
}

// Note that you don't need parentheses around conditions
// in Go, but that the braces are required.

执行上面代码,将得到以下输出结果 -

F:\worksp\golang>go run if-else.go
is odd
is divisible by 4
has 1 digit

目录