我在我正在进行的项目中遇到了一个问题。我找到了解决方法,但我不确定为什么我的解决方案有效。我希望对 Go 指针如何工作有更多经验的人可以帮助我。
我有一个 Model 接口和一个实现该接口的 Region 结构。Model 接口是在 Region 结构体的指针上实现的。我还有一个 Regions 集合,它是 Region 对象的一部分。我有一个可以将 Regions 对象转换为 []Model 的方法:
// Regions is the collection of the Region model
type Regions []Region
// Returns the model collection as a list of models
func (coll *Regions) ToModelList() []Model {
output := make([]Model, len(*coll))
for idx, item := range *coll {
output[idx] = &item
}
return output
}
当我运行这段代码时,我最终得到了多次输出的指向 Region 的第一个指针。因此,如果 Regions 集合有两个不同的项目,我将获得重复两次的相同地址。当我在切片中设置变量之前打印变量时,它们具有正确的数据。
我有点搞砸了,认为 Go 可能会在循环之间重用内存地址。这个解决方案目前在我的测试中对我有用:
// Returns the model collection as a list of models
func (coll *Regions) ToModelList() []Model {
output := make([]Model, len(*coll))
for idx, _ := range *coll {
i := (*coll)[idx]
output[idx] = &i
}
return output
}
这给出了输出切片中两个不同地址的预期输出。
老实说,这似乎是 range 函数在两次运行之间重用相同内存地址的错误,但我总是认为在这种情况下我会遗漏一些东西。
我希望我已经为你解释得足够好。我很惊讶原来的解决方案不起作用。
白猪掌柜的
侃侃尔雅
相关分类