2 回答
TA贡献1864条经验 获得超6个赞
您正在尝试索引指针而不是地图本身。有点令人困惑,因为通常指针与值解引用对于结构来说是自动的。但是,如果您的结构只是一个映射,那么它无论如何只能通过引用传入,因此您不必担心创建对指针起作用的方法以避免每次都复制整个结构。以下代码等效于您的第一个代码段,但使用的是指针类型。
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))
}
但是要回答如何处理它:如果您的结构只是映射类型,我不会担心编写您的接收函数来获取指针,并且只接收值,因为无论如何该值只是一个引用。在你的原始片段中做喜欢。
TA贡献1765条经验 获得超5个赞
您可以简单地取消引用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"}
- 2 回答
- 0 关注
- 197 浏览
添加回答
举报