在Python、Ruby 和JavaScript 中,指針的工作方式不同比圍棋。 Go 的垃圾收集器會自動釋放內存,因此了解指標的使用情況以優化內存消耗並防止不必要的垃圾創建至關重要。
考慮傳回一個虛構的 API具有相關標籤的圖片資料集。我們的目標是建立一個資料結構,將每個標籤對應到對應影像URL 的清單:
<code class="python">{ "ocean": [ "https://c8.staticflickr.com/4/3707/11603200203_87810ddb43_o.jpg" ], "water": [ "https://c8.staticflickr.com/4/3707/11603200203_87810ddb43_o.jpg", "https://c3.staticflickr.com/1/48/164626048_edeca27ed7_o.jpg" ], ... }</code>
表示此對應的一種方法是使用指標到影像結構的URL 欄位:
<code class="go">tagToUrlMap := make(map[string][]*string) for _, image := range result { for _, tag := range image.Tags { tagToUrlMap[tag.Name] = append(tagToUrlMap[tag.Name], &image.URL) } }</code>
結果:
另一種方法是使用中間變數並儲存指向它的指標:
<code class="go">tagToUrlMap := make(map[string][]*string) for _, image := range result { imageUrl = image.URL for _, tag := range image.Tags { tagToUrlMap[tag.Name] = append(tagToUrlMap[tag.Name], &imageUrl) } }</code>
結果:
另一個選擇是使用指向Image 結構中字串的指標:
<code class="go">type Image struct { URL *string Description string Tags []*Tag }</code>
注意事項:
記憶體效率的最佳解決方案是使用字串實習,這確保唯一字串值只有一個實例存在於記憶體中。
<code class="go">var cache = map[string]string{} func interned(s string) string { if s2, ok := cache[s]; ok { return s2 } cache[s] = s return s }</code>
實作:
<code class="go">tagToUrlMap := make(map[string][]string) for _, image := range result { imageURL := interned(image.URL) for _, tag := range image.Tags { tagName := interned(tag.Name) tagToUrlMap[tagName] = append(tagToUrlMap[tagName], imageURL) } }</code>
以上是在 Go 中使用指標和垃圾收集時,如何有效管理記憶體使用並防止垃圾創建?的詳細內容。更多資訊請關注PHP中文網其他相關文章!