Go:重用从切片复制内存地址
在 Go 中,range 函数迭代切片的元素。然而,一个常见的陷阱是循环变量重复使用内存地址。当尝试将切片元素复制到另一个数据结构时,这可能会导致意外结果。
考虑以下代码片段:
// 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 }
在此代码中,循环变量 item 是指针引用到 *coll 切片中的元素。通过将 &item 分配给输出切片的元素,多个元素最终会指向同一基础 Region 对象。发生这种情况的原因是,output 和 *coll 共享 item 的相同内存地址。
要解决此问题,需要为输出中的每个元素创建 Region 对象的不同副本。这可以通过使用以下代码片段来实现:
// 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 }
在此修订后的代码中,_ 用作 *coll 范围内的循环变量。这确保了每次迭代都会创建 i 的新副本,从而防止在循环迭代中重复使用内存地址。
了解 Go 内存管理的细微差别对于避免这些类型的陷阱并确保正确的程序执行至关重要.
以上是Go 切片:为什么使用'range”复制切片元素有时会导致共享内存地址?的详细内容。更多信息请关注PHP中文网其他相关文章!