Go else if 语句


else if 语句

使用else if如果第一个条件是,则指定新条件的语句false

语法

if condition1 {
   // code to be executed if condition1 is true
} else if condition2 {
   // code to be executed if condition1 is false and condition2 is true
} else {
   // code to be executed if condition1 and condition2 are both false
}

使用 else if 语句

示例

这个例子展示了如何使用else if陈述。

package main
import ("fmt")

func main() {
  time := 22
  if time < 10 {
    fmt.Println("Good morning.")
  } else if time < 20 {
    fmt.Println("Good day.")
  } else {
    fmt.Println("Good evening.")
  }
}

结果:

Good evening.
亲自试一试 »

示例解释

在上例中,时间 (22) 大于 10,因此第一个条件false。下一个条件,在else if的声明,也是false,所以我们继续else条件自条件1条件2都是false- 并打印到屏幕"Good evening"。

但是,如果时间是 14,我们的程序将打印"Good day."

示例

另一个使用的例子else if

package main
import ("fmt")

func main() {
  a := 14
  b := 14
  if a < b {
    fmt.Println("a is less than b.")
  } else if a > b {
    fmt.Println("a is more than b.")
  } else {
    fmt.Println("a and b are equal.")
  }
}

结果:

a and b are equal.
亲自试一试 »

示例

笔记:如果条件 1 和条件 2 都为真,则仅执行条件 1 的代码:

package main
import ("fmt")

func main() {
  x := 30
  if x >= 10 {
    fmt.Println("x is larger than or equal to 10.")
  } else if x > 20 {
    fmt.Println("x is larger than 20.")
  } else {
    fmt.Println("x is less than 10.")
  }
}

结果:

x is larger than or equal to 10.
亲自试一试 »