我是 golang 新手,我正在研究以下結構:
<code>type Flag[T any] struct { defaultValue interface{} } </code>
其中 T
可以是 int
或 bool
#我定義了以下函數:
<code>func (f Flag[T]) GetVariation(val interface{}, getFunc func(v T) T ) T { inputVal := f.defaultValue.(T) return getFunc(inputVal) } </code>
當我嘗試將上述函數用於各種資料類型(例如 bool)時,請使用以下內容:
<code>func (f Flag[bool]) GetBoolVariation(val bool) bool { return f.GetVariation(val, someFunc) } func someFunc(v bool) bool { return true } </code>
我收到以下錯誤訊息:
cannot use someFunc (value of type func(v bool) bool) as func(v bool) bool value in argument to f.GetVariation
該訊息非常令人困惑,因為它說我不能將“X”用作“X”。你能幫我弄清楚我在這裡做錯了什麼嗎?
首先,很難在這裡衡量您的更大用例,但泛型可能不是最適合這裡,因為您要進行運行時類型檢查(例如f.defaultValue.(T)
)。
其次,您似乎正在使用 go 1.20
,這確實會產生一個令人困惑的錯誤:
https://www.php.cn/link/63e8e3643e7f7198858eef325b0600f9
cannot use someFunc (value of type func(v bool) bool) as func(v bool) bool value in argument to f.GetVariation
使用最新的 Playground 版本(截至撰寫本文時為 go 1.21
)會給出更詳細的編譯錯誤:
https://www.php.cn/link/2d1bcedd27b586d2a9562a0f8e076b41
./prog.go:14:29: cannot use someFunc (value of type func(v bool) bool) as func(v bool /* with bool declared at ./prog.go:13:14 */) bool /* with bool declared at ./prog.go:13:14 */ value in argument to f.GetVariation
指示類型 bool
被指定的位置 (./prog.go:13:14
) 源自於類型限制。
因此,僅僅因為此類型約束 bool
與非泛型函數簽章相符:
func someFunc(v bool) bool { return true }
並不意味著它是精確的編譯匹配。
您可以使用這個人為的範例「解決」編譯錯誤:
func someFuncFix[T any](v T) T { return v } func (f Flag[bool]) GetBoolVariation(val bool) bool { return f.GetVariation(val, someFuncFix[bool]) // FYI: `return f.GetVariation(val, someFuncFix)` also works as the bool constraint could be inferred }
但同樣,我認為泛型可能不是適合您特定用例的最佳解決方案。
以上是Golang 泛型 - 在傳遞函數指標時不能使用型別來取代相同型別的詳細內容。更多資訊請關注PHP中文網其他相關文章!