这是我的第一篇文章,所以请对我“轻松”。 :) ...我对许多传统的编程语言非常熟悉,但是我是Go语言的新手,很难理解切片和范围的用法。下面的程序代码和注释说明了我的震惊。谢谢!
package main
import (
"fmt"
"time"
)
type myStruct struct {
Name string
Count int
}
编写我自己的Mod函数,因为在Go库中找不到。
func modMe(mod int, value int) int {
var m int
var ret int
m = value / mod
ret = value - m*mod
return ret
}
func main() {
mod := 4
cnt := 16
fmt.Printf("Record mod is %d\r\n", mod)
声明一个结构数组并添加一些记录
chartRecords := []myStruct{}
for i := 0; i<=cnt ;i++ {
n := myStruct{Count: i, Name: fmt.Sprintf("Joe%2d", i)} //Load some data
chartRecords = append(chartRecords,n)
}
加载数据会产生我期望的输出
fmt.Printf("======ORIGINAL LOADED VALUES========\r\n")
i := 0
for _, elem := range chartRecords {
fmt.Printf("No: %2d | Count: %2d | Name = %s\r\n", i, elem.Count, elem.Name) //Print out original values in the range
i = i + 1
}
现在,我修改这些值并打印它们,以查看它们看起来是否已修改。看起来像预期的那样。
fmt.Printf("======MODIFIED VALUES EXPECTED========\r\n")
i = 0
for _, elem := range chartRecords { //looping thru the range of the data records
mm := modMe(mod, i) //modMe is my function to return the Mod of a number based on moduls 'mod'
elem.Count = mm //assigning the new mod value to Count
fmt.Printf("No: %2d | Count: %2d | Name = %s\r\n", i, elem.Count, elem.Name) //Print out this elem.Count element in the range
i = i + 1
}
现在,我只需再次遍历同一范围并打印出相同内容即可。 但是输出显示原始值。 我不明白为什么会这样。我猜想这与切片和添加值有关,而不是替换值。
fmt.Printf("======CHECK AGAIN AND VALUES ARE BACK TO ORIGINAL========\r\n") //Now lets loop through the same range
i = 0
for _, elem := range chartRecords {
fmt.Printf("No: %2d | Count: %2d | Name = %s\r\n", i, elem.Count, elem.Name) //Print out this elem.Count element in the range
i = i + 1
} //But this output shows the original values WHY??
time.Sleep(60 * time.Second)
}
输出看起来像这样... Screenshot Output
谢谢您的建议。
答案 0 :(得分:1)
The Go Programming Language Specification
For statements with range clause
带有“ range”子句的“ for”语句遍历所有条目 数组,切片,字符串或映射的形式,或通道上接收的值。 对于每个条目,它将迭代值分配给相应的迭代 变量(如果存在),然后执行该块。
Go编程语言规范很容易阅读。
将更新后的elem
迭代变量放回chartRecords
切片中:
for i, elem := range chartRecords {
elem.Count = modMe(mod, i)
chartRecords[i] = elem
fmt.Printf("No: %2d | Count: %2d | Name = %s\r\n", i, elem.Count, elem.Name)
}
答案 1 :(得分:1)
在我的朋友拉斯(Russ)的一点帮助下添加了这些行。
语录:Victor,您好,如果我没记错的话,当您在一个集合中进行…范围搜索时,返回的对象是该集合中保存的原始副本(“值语义”)。 因此,elem变量是您要分配计数的副本。这是有效的代码,但是您并没有像期望的那样更新收藏集。 考虑将您的for ... range循环调整为此:
fmt.Printf("======NOW MODIFY VALUES THIS WAY========\r\n")
i = 0
for idx := range chartRecords {
mm := modMe(mod, i)
chartRecords[idx].Count = mm
fmt.Printf("No: %2d | Count: %2d | Name = %s\r\n", i, chartRecords[idx].Count, chartRecords[idx].Name) //Print out this elem.Count element in the range
i = i + 1
}
fmt.Printf("======CHECK AGAIN AND VALUES ARE AS DESIRED========\r\n") //Now lets loop through the same range
i = 0
for _, elem := range chartRecords {
fmt.Printf("No: %2d | Count: %2d | Name = %s\r\n", i, elem.Count, elem.Name) //Print out this elem.Count element in the range
i = i + 1
}
现在我了解得更多了,希望对我这样的新手有帮助...
祝你有美好的一天!
维克多