1. for-range改变内容问题
type User struct {
Name string
Age int
}
func main() {
u := []User{
{"a", 1},
{"b", 2},
{"c", 3},
}
for i, v := range u {
//v.Age = 1231 // v是值拷贝 无法修改,但v是一个变量,只会被定义一次
u[i].Age = 1231 // 利用下标修改
}
fmt.Println(u)
}
//[{a 1231} {b 1231} {c 1231}]
2. 是否发生死循环
func main() {
//不会造成死循环, range会对切片做拷贝,新增的数据并不在拷贝内容中,并不会发生死循环。
//这种题一般会在面试中问,留意下。
nums := []int{1, 2, 3}
for i, _ := range nums {
nums = append(nums, i+100)
}
fmt.Println(nums)
}
//[1 2 3 100 101 102]
3. 指针数据问题
type User struct {
Name string
Age int
}
func main() {
u := []User{
{"a", 1},
{"b", 2},
{"c", 3},
}
n := []*User{}
for _, v := range u {
//v被拷贝过不同的值,但加入的是同一个v的地址
n = append(n, &v)
}
fmt.Println(n) // 打印三个相同的地址
}
// [0xc00000c060 0xc00000c060 0xc00000c060]
// 1.加入一个中间变量解决
for _, v := range u {
//v被拷贝过不同的值,但加入的是同一个v的地址
a := v
n = append(n, &a)
}
// 2.取原数组地址
for i, _ := range u {
n = append(n, &u[i])
}
4. map 使用 for-range
The iteration order over maps is not specified and is not guaranteed to be the same from one iteration to the next. If map entries that have not yet been reached are removed during iteration, the corresponding iteration values will not be produced. If map entries are created during iteration, that entry may be produced during the iteration or may be skipped. The choice may vary for each entry created and from one iteration to the next. If the map is nil, the number of iterations is 0. 翻译: 未指定
map
的迭代顺序,并且不能保证每次迭代之间都相同。 如果在迭代过程中删除了尚未到达的映射条目,则不会生成相应的迭代值。 如果映射条目是在迭代过程中创建的,则该条目可能在迭代过程中产生或可能被跳过。 对于创建的每个条目以及从一个迭代到下一个迭代,选择可能有所不同。 如果映射为nil,则迭代次数为0。
//可以成功删掉
func main() {
mp := map[int]int{
1: 1,
2: 2,
3: 3,
}
for k := range mp {
if k == 1 {
delete(mp, k)
}
}
fmt.Println(mp)
}
//map[2:2 3:3]
//添加
func main() {
var addMap = func() {
mp := map[int]int{
1: 1,
2: 2,
3: 3,
}
for k, v := range mp {
mp[100] = 12
fmt.Print(k, ":", v, " ")
}
}
for i := 0; i < 10; i++ {
addMap()
fmt.Println()
}
}
/*
1:1 2:2 3:3
1:1 2:2 3:3 100:12
1:1 2:2 3:3 100:12
3:3 100:12 1:1 2:2
1:1 2:2 3:3
2:2 3:3 100:12 1:1
1:1 2:2 3:3 100:12
1:1 2:2 3:3
2:2 3:3 100:12 1:1
1:1 2:2 3:3 100:12
*/
从运行结果,我们可以看出来,每一次的结果并不是确定的。这是为什么呢?这就来揭秘,map内部实现是一个链式hash表,为了保证无顺序,初始化时会随机一个遍历开始的位置。
所以新增的元素是否被遍历到就变的不确定了;
同样删除也是一个道理,但是删除元素后边就不会出现,所以一定不会被遍历到。