type Foo struct {
A *string
B *string
C *string
D *string
}
m := map[string]string{"a": "a_value", "b": "b_value", "c": "c_value", "d": "d_value"}
a, b, c, d := m["a"], m["b"], m["c"], m["d"]
foo := Foo{
A: &a,
B: &b,
C: &c,
D: &d,
}
Playground link
有没有一种方法可以直接将映射值复制到结构中,而无需使用中间局部变量
a
,b
,c
和d
?显然我不能只写
foo := Foo{
A: &m["a"],
B: &m["b"],
C: &m["c"],
D: &m["d"],
}
因为这样Go认为我想获取(不可寻址)值仍在 map 中的地址。
最佳答案
为了使其简单,紧凑和可重用,请使用辅助函数或闭包:
p := func(key string) *string {
s := m[key]
return &s
}
foo := Foo{
A: p("a"),
B: p("b"),
C: p("c"),
D: p("d"),
}
在Go Playground上尝试一下。
有关背景和更多选项,请参见相关:How do I do a literal *int64 in Go?
关于dictionary - 将映射值复制到指针的结构,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/62377562/