Go語言裡面有一個語法,可以直接判斷是否是該類型的變數:value, ok = element.(T),這裡value就是變數的值,ok是bool類型,element是interface變量,T是斷言的類型。
如果element裡面確實儲存了T類型的數值,那麼ok回傳true,否則回傳false。
package main import ( "fmt" ) type Order struct { ordId int customerId int callback func() } func main() { var i interface{} i = Order{ ordId: 456, customerId: 56, } value, ok := i.(Order) if !ok { fmt.Println("It's not ok for type Order") return } fmt.Println("The value is ", value) }
輸出:
The value is {456 56 <nil>}
常見的還有用switch來斷言:
package main import ( "fmt" ) type Order struct { ordId int customerId int callback func() } func main() { var i interface{} i = Order{ ordId: 456, customerId: 56, } switch value := i.(type) { case int: fmt.Printf("It is an int and its value is %d\n", value) case string: fmt.Printf("It is a string and its value is %s\n", value) case Order: fmt.Printf("It is a Order and its value is %v\n", value) default: fmt.Println("It is of a different type") } }
輸出:
It is a Order and its value is {456 56 <nil>}
golang的語言中提供了斷言的功能。 golang中的所有程式都實作了interface{}的接口,這意味著,所有的類型如string,int,int64甚至是自訂的struct類型都就此擁有了interface{}的接口,這種做法和java中的Object類型比較類似。那麼在一個資料經由func funcName(interface{})的方式傳進來的時候,也就意味著這個參數被自動的轉為interface{}的型別。
如以下的程式碼:
func funcName(a interface{}) string { return string(a) }
編譯器將會傳回:
cannot convert a (type interface{}) to type string: need type assertion
此時,表示整個轉換的過程需要型別斷言。類型斷言有以下幾種形式:
直接斷言使用
var a interface{} fmt.Println("Where are you,Jonny?", a.(string))
但是如果斷言失敗一般會導致panic的發生。所以為了防止panic的發生,我們需要在斷言前先進行一定的判斷。
value, ok := a.(string)
如果斷言失敗,那麼ok的值將會是false,但是如果斷言成功ok的值將會是true,同時value將會得到所期待的正確的值。範例:
value, ok := a.(string) if !ok { fmt.Println("It's not ok for type string") return } fmt.Println("The value is ", value)
另外也可以配合switch語句進行判斷:
var t interface{} t = functionOfSomeType() switch t := t.(type) { default: fmt.Printf("unexpected type %T", t) // %T prints whatever type t has case bool: fmt.Printf("boolean %t\n", t) // t has type bool case int: fmt.Printf("integer %d\n", t) // t has type int case *bool: fmt.Printf("pointer to boolean %t\n", *t) // t has type *bool case *int: fmt.Printf("pointer to integer %d\n", *t) // t has type *int }
另外補充幾個go語言程式設計的小tips:
(1)如果不符合要求可以盡快的return(return as fast as you can),而減少else語句的使用,這樣可以更直觀一些。
(2)轉換型別的時候如果是string可以不用斷言,使用fmt.Sprint()函數可以達到想要的效果。
(3)變數的定義和申明可以用群組的方式,如:
var ( a string b int c int64 ... ) import ( "fmt" "strings" "net/http" ... )
(4)函數邏輯比較複雜,可以把一些邏輯封裝成一個函數,提高可讀性。
(5)使用net/http套件和net/url套件的函數,可能會有url encode功能,需要注意。
PHP中文網,有大量免費的Golang入門教學,歡迎大家學習!
以上是golang 斷言是什麼的詳細內容。更多資訊請關注PHP中文網其他相關文章!