首页 >后端开发 >Golang >为什么这段 Go 代码打印了三次'三”而不是'一”、'二”和'三”?

为什么这段 Go 代码打印了三次'三”而不是'一”、'二”和'三”?

DDD
DDD原创
2024-12-09 13:41:111019浏览

Why Does This Go Code Print

Goroutine 行为:解开谜团

我们在提供的 Go 代码中偶然发现了一个令人困惑的行为:

package main

import (
    "fmt"
    "time"
)

type field struct {
    name string
}

func (p *field) print() {
    fmt.Println(p.name)
}

func main() {
    data := []field{{"one"}, {"two"}, {"three"}}
    for _, v := range data {
        go v.print()
    }
    <-time.After(1 * time.Second)
}

问题出现了:为什么这段代码始终打印“三”三次,而不是显示“一”, “二”和“三”任意顺序?

理解问题

问题的症结在于使用goroutine 函数中的范围变量 v。

当我们编写 v.print() 时,我们实际上传递了一个指向变量 v 的指针,它是一个引用到范围数据循环中的当前元素。然而,循环继续迭代,修改 v 的值。

goroutine 执行时,恰好得到了 v 的最终值,即“三”。这会产生三个“三”的意外输出。

解决问题:多种方法

有多种方法可以解决此问题:

1.使用短变量声明:

创建一个新变量 v,其作用域为循环的每次迭代:

for _, v := range data {
    v := v // Short variable declaration to create a new `v`.
    go v.print()
}

2.使用指针切片:

将数据类型更改为指针切片并将各个指针传递给 goroutine 函数:

data := []*field{{"one"}, {"two"}, {"three"}} // Note the '*'
for _, v := range data {
    go v.print()
}

3.使用切片元素的地址:

获取每个切片元素的地址并将指针传递给 goroutine 函数:

data := []*field{{"one"}, {"two"}, {"three"}} // Note the '*'
for i := range data {
    v := &data[i]
    go v.print()
}

结论

请记住,如果循环修改了范围变量的地址,则可能会导致 goroutine 中发生意外行为变量。通过使用上面概述的技术,我们可以确保每个 goroutine 接收到唯一的值并避免数据竞争问题。

以上是为什么这段 Go 代码打印了三次'三”而不是'一”、'二”和'三”?的详细内容。更多信息请关注PHP中文网其他相关文章!

声明:
本文内容由网友自发贡献,版权归原作者所有,本站不承担相应法律责任。如您发现有涉嫌抄袭侵权的内容,请联系admin@php.cn