switch是很容易理解的,先来个代码,运行起来,看看你的操作系统是什么吧。
package main
import (
"fmt"
"runtime"
)
func main() {
fmt.Print("Go runs on ")
switch os := runtime.GOOS; os {
case "darwin":
fmt.Println("OS X.")
case "linux":
fmt.Println("Linux.")
default:
fmt.Printf("%s", os)
}
}
runtime运行时获取当前的操作系统,使用GOOS。
还和if for之类的习惯一样,可以在前面声明赋值变量。我们就在这里来获取操作系统的信息了。
os := runtime.GOOS;
{ } 里的case比较容易理解。操作系统是 "darwin" 就打印"OS X.";操作系统是 "linux" 就打印"Linux";其他的都直接打印系统类别。
我用的是windows 10,所以我的运行结果是
Go runs on windows
在go语言的switch中除非以 fallthrough 语句结束,否则分支会自动终止。
所以修改一下上面的代码,再运行一下
package main
import (
"fmt"
"runtime"
)
func main() {
fmt.Print("Go runs on ")
switch os := runtime.GOOS; os {
case "darwin":
fmt.Println("OS X.")
case "linux":
fmt.Println("Linux.")
case "windows":
fmt.Println("win")
fallthrough
default:
fmt.Printf("%s", os)
}
}
增加了当前的系统的case选项 "windows",还在这个分支使用了 fallghrough。
运行的结果就有穿透的效果了。
Go runs on win
windows
如果你再注释掉 fallthrough,或干脆删除 fallthrough,再运行,就会发现,那个穿透的效果没有了。
Go runs on win
好吧,我们再把 fallthrough找回来,并且在下面再加上一个 case 分支,看看效果。
package main
import (
"fmt"
"runtime"
)
func main() {
fmt.Print("Go runs on ")
switch os := runtime.GOOS; os {
case "darwin":
fmt.Println("OS X.")
case "linux":
fmt.Println("Linux.")
case "windows":
fmt.Println("win")
fallthrough
case "gdwing":
fmt.Println("He He!!")
default:
fmt.Printf("%s", os)
}
}
运行结果是
Go runs on win
He He!!
又穿透了,哪怕 "gdwing" 并不是合适的选项,也直接穿透运行了这个分支。而且只穿透了 fallthrough 紧邻的这一个分支。
现在,对 fallthrough 算是弄明白了。
可以这样总结:
switch 的条件从上到下的执行,当匹配成功的时候停止。如果匹配成功的这个分支是以fallthrough结束的,那么下一个紧邻的分支也会被执行。
再写一个判断距离周六还有多久的程序吧!
package main
import (
"fmt"
"time"
)
func main() {
fmt.Println("When is Saturday?")
today := time.Now().Weekday()
switch time.Saturday {
case today + 0:
fmt.Println("Today.")
case today + 1:
fmt.Println("Tommorrow.")
case today + 2:
fmt.Println("In two days")
default:
fmt.Println("Too far away.")
}
}
运行结果你自己试试看。有耐心的话,每天运行一次,看不同的运行结果。爱动手改才是工程师的常规表现,试着改成一个星期内的每一天,看看运行结果。这样,你就不用等一周了。 嘻嘻!
好了,现在讲一下 swith 的没有条件的用法。这其实相当于 switch true 一样。每一个 case 选项都是 bool 表达式,值为 true 的分支就是被执行的分支。或者执行 default 。
package main
import (
"fmt"
"time"
)
func main() {
t := time.Now()
switch {
case t.Hour() > 12 && t.Hour() <= 17:
fmt.Println("Morning was passed.")
case t.Hour() > 17:
fmt.Println("Afternoon was passed.")
default:
fmt.Println("Now too early.")
}
}
运行结果
Now too early.
好吧,我现在是凌晨,所以“太早了”。