我想使用库(golang walk声明式),它希望我传递一个指针变量,并且库稍后将用一个实例填充它。
出于记账目的,我尝试创建一个函数来返回引用并进一步传递它,但在原始函数中我没有取回对正确对象的引用。
我试图简化问题,但我仍然无法正确解决问题,如何在不修改设置函数的情况下,在 test_ref 结构内将值世界填充到地图中。
工作代码
var t *walk.LineEdit
...
LineEdit{
AssignTo: &t,
},
我的尝试
LineEdit{
AssignTo: GetLineEdit("msg"),
},
...
func GetLineEdit(name string) **walk.LineEdit {
测试代码
type test_ref struct {
v map[string]*string
}
func (t *test_ref) init() {
t.v = map[string]*string{}
}
func (t *test_ref) return_ref() **string {
s := "hello"
t.v["a"] = &s
p := t.v["a"]
return &p
}
type test_setup struct {
s **string
}
//dont modify this function
func setup(t test_setup) {
w := "world"
*(t.s) = &w
}
func main() {
tr := test_ref{}
tr.init()
s := tr.return_ref()
setup(test_setup{
s: s,
})
fmt.Println(*tr.v["a"])//logging hello
}
如果我对设置函数进行小修改,我可以让它工作,但由于我不想更新步行库,我想知道是否有一种方法可以在不触及设置函数的情况下完成此操作。
func setup(t test_setup) {
w := "world"
**(t.s) = w
}
这里:
func (t *test_ref) return_ref() **string {
s := "hello"
t.v["a"] = &s
p := t.v["a"]
return &p
}
您返回的是变量的地址
p
。
我认为这就是你正在尝试做的事情:
func (t *test_ref) return_ref() *string {
s := "hello"
t.v["a"] = &s
return &s
}
上面将返回
s
的地址,这是存储在地图中的内容。然后:
type test_setup struct {
s *string
}
func setup(t test_setup) {
w := "world"
*t.s = w
}
这会将字符串的值设置为“world”。