在 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中文网其他相关文章!