Go:解決映射索引中的「無效操作」錯誤
在Go 中使用映射時,您可能會遇到編譯器錯誤「無效」操作:類型*map[key]value 不支援索引。 「當您嘗試對指向地圖的指標而不是地圖本身進行索引時,會發生此錯誤。
請考慮以下程式碼:
func (b *Balance) Add(amount Amount) *Balance { current, ok := b[amount.Currency] // Error: indexing pointer to map ... }
要解決此錯誤,您應該將程式碼修改為透過指針正確索引映射:
func (b *Balance) Add(amount Amount) *Balance { current, ok := (*b)[amount.Currency] // Index the map through the pointer ... }
或者,如果您的結構只是一個映射,建議避免定義接收的方法映射指針,因為它們沒有任何好處。的方法,如下所示:
import "fmt" type Currency string type Amount struct { Currency Currency Value float32 } type Balance map[Currency]float32 func (b Balance) Add(amount Amount) Balance { // Method receives map by value current, ok := b[amount.Currency] ... } func main() { b := Balance{Currency("USD"): 100.0} b = b.Add(Amount{Currency: Currency("USD"), Value: 5.0}) fmt.Println("Balance: ", b) }
這種方法避免了與透過指標索引映射相關的錯誤,同時保持映射類型的引用性質。
以上是Go:為什麼我收到「無效操作:類型 *map[key]value 不支援索引。」?的詳細內容。更多資訊請關注PHP中文網其他相關文章!