Go 中泛型的特殊用例和技巧使用空白類型介面進行動態類型檢查,檢查運行時類型。在集合中使用泛型類型參數,建立多樣化類型的容器。實作泛型方法,為不同類型的參數執行通用操作。使用類型約束實現特定類型泛型,為指定類型自訂操作。
泛型在Go 中的特殊用例和技巧
泛型引入了新穎的功能,使得編寫靈活高效的代碼成為可能。本文將探討 Go 中泛型的特殊用例和技巧。
1. 使用空白類型介面進行動態類型檢查
any
類型可以表示任何類型。這使得我們能夠根據運行時確定的類型執行動態類型檢查。
func isString(v any) bool { _, ok := v.(string) return ok } func main() { x := "hello" y := 10 fmt.Println(isString(x)) // true fmt.Println(isString(y)) // false }
2. 在集合上使用泛型類型
泛型類型參數可以在集合類型中使用,從而建立一個多樣化類型的容器。
type Stack[T any] []T func (s *Stack[T]) Push(v T) { *s = append(*s, v) } func (s *Stack[T]) Pop() T { if s.IsEmpty() { panic("stack is empty") } v := (*s)[len(*s)-1] *s = (*s)[:len(*s)-1] return v } func main() { s := new(Stack[int]) s.Push(10) s.Push(20) fmt.Println(s.Pop()) // 20 fmt.Println(s.Pop()) // 10 }
3. 實作泛型方法
泛型方法允許我們為不同類型的參數實作通用運算。
type Num[T numeric] struct { V T } func (n *Num[T]) Add(other *Num[T]) { n.V += other.V } func main() { n1 := Num[int]{V: 10} n2 := Num[int]{V: 20} n1.Add(&n2) fmt.Println(n1.V) // 30 // 可以使用其他数字类型 n3 := Num[float64]{V: 3.14} n4 := Num[float64]{V: 2.71} n3.Add(&n4) fmt.Println(n3.V) // 5.85 }
4. 使用型別約束實作特定型別泛型
型別限制限制泛型類型的範圍。它允許我們為特定類型實現自訂操作。
type Comparer[T comparable] interface { CompareTo(T) int } type IntComparer struct { V int } func (c *IntComparer) CompareTo(other IntComparer) int { return c.V - other.V } // IntSlice 实现 Comparer[IntComparer] 接口 type IntSlice []IntComparer func (s IntSlice) Len() int { return len(s) } func (s IntSlice) Less(i, j int) bool { return s[i].CompareTo(s[j]) < 0 } func (s IntSlice) Swap(i, j int) { s[i], s[j] = s[j], s[i] } func main() { s := IntSlice{{10}, {20}, {5}} sort.Sort(s) fmt.Println(s) // [{5} {10} {20}] }
這些特殊用例和技巧展示了泛型在 Go 中的強大功能,它允許創建更通用、靈活和高效的程式碼。
以上是泛型在golang中的特殊用例和技巧的詳細內容。更多資訊請關注PHP中文網其他相關文章!