從 Golang 切片複製時的記憶體位址重用
Go 程式設計中的一個常見誤解記憶體位址。考慮以下情況:
您有一個 Model 介面和一個實現它的 Region 結構。此介面是在 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 的第一個指標。
要解決此問題,請考慮原始方法中的循環變數項。對於循環的每次迭代都是相同的,因此產生的切片包含對相同基礎資料的參考。
另一方面,工作解決方案使用 i := (*coll)[idx] 來為每次迭代建立一個新變數。這確保了輸出切片中的每個模型都有唯一的記憶體位址。
為了更好地理解,請考慮以下程式碼片段:
func main() { coll := []int{5, 10, 15} for i, v := range coll { fmt.Printf("This one is always the same; %v\n", &v) fmt.Println("This one is 4 bytes larger each iteration; %v\n", &coll[i]) } }
此程式碼示範了v 的記憶體位址在整個循環中保持不變,而coll[i] 的內存地址隨著每次迭代而增加。這種行為是由於 v 是循環變量,它保持不變,而 coll[i] 是每次迭代的新變數。
以上是為什麼從 Go Slice 複製會導致記憶體位址重複使用,如何修復?的詳細內容。更多資訊請關注PHP中文網其他相關文章!