我试图编写一个函数来修改由指针传递的原始地图,但Go不允许它。我们说我有一张大地图,不想来回复制。
使用传递值的代码正在运行并且正在执行我需要的操作,但涉及传递值(playground):
package main
import "fmt"
type Currency string
type Amount struct {
Currency Currency
Value float32
}
type Balance map[Currency]float32
func (b Balance) Add(amount Amount) Balance {
current, ok := b[amount.Currency]
if ok {
b[amount.Currency] = current + amount.Value
} else {
b[amount.Currency] = amount.Value
}
return b
}
func main() {
b := Balance{Currency("USD"): 100.0}
b = b.Add(Amount{Currency: Currency("USD"), Value: 5.0})
fmt.Println("Balance: ", b)
}
但是,如果我尝试将参数作为指针传递(playground):
func (b *Balance) Add(amount Amount) *Balance {
current, ok := b[amount.Currency]
if ok {
b[amount.Currency] = current + amount.Value
} else {
b[amount.Currency] = amount.Value
}
return b
}
我收到编译错误:
prog.go:15: invalid operation: b[amount.Currency] (type *Balance does not support indexing)
prog.go:17: invalid operation: b[amount.Currency] (type *Balance does not support indexing)
prog.go:19: invalid operation: b[amount.Currency] (type *Balance does not support indexing)
我该如何处理?
答案 0 :(得分:28)
您正在尝试索引指针而不是地图本身。有点令人困惑,因为通常使用指针与值取消引用对于结构是自动的。但是,如果你的结构只是一个地图,它只是通过引用传递,所以你不必担心创建作用于指针的方法,以避免每次都复制整个结构。以下代码等同于您的第一个代码段,但使用的是指针类型。
angular.js
但要回答如何处理它:如果你的结构只是类型映射,我不会担心编写你的接收函数来获取指针,只是接收值,因为该值只是一个参考。在原始代码段中做。
答案 1 :(得分:10)
您可以简单地取消引用b
:(*b)
https://play.golang.org/p/Xq6qFy4_PC
func (b *Balance) Add(amount Amount) *Balance {
current, ok := (*b)[amount.Currency]
if ok {
(*b)[amount.Currency] = current + amount.Value
} else {
(*b)[amount.Currency] = amount.Value
}
return b
}
@Serdmanczyk提出了一个很好的观点......你可以安全地按值传递地图,底层地图将被更新,而不是地图的副本。也就是说;在地图的情况下传递值意味着传递地图的地址,而不是地图的内容。
请参阅https://play.golang.org/p/i7Yz4zMq4v
type foo map[string]string
func main() {
a := foo{}
a["hello"] = "world"
fmt.Printf("%#v\n", a)
mod(a)
fmt.Printf("%#v\n", a)
}
func mod(f foo) {
f["hello"] = "cruel world"
}
哪个输出:
main.foo{"hello":"world"}
main.foo{"hello":"cruel world"}