英文:
Populating an array using Channels in a WaitGroup routine
问题
我想在一个子程序中填充一个数组的数组。我尝试使用通道来实现这个目标。我正在学习Go语言,所以不确定这是否是正确的方法,请纠正我如果我走错了方向,但是我的代码从来没有返回。我做错了什么?
var c = make(chan [3][4]string)
var mymap = map[int]string{
0: "www.foo.com",
1: "www.bar.com",
2: "www.baz.com",
3: "www.faz.com",
}
values := [3][4]string{{"A", "B", "C", "D"}}
var wg sync.WaitGroup
wg.Add(4) // 每个索引一个线程,总共4个索引
for idx, url := range mymap {
go func(idx int, url string) {
defer wg.Done()
values[1][idx] = "someone"
values[2][idx] = "something"
c <- values
}(name, url)
}
wg.Wait()
close(c)
英文:
I want to populate an array of arrays inside a subroutine. I am trying to do this using a channel. I am learning go, so unclear if this is the right way, so please correct me if I am going in the wrong direction, but my code never returns. What am I doing wrong?
var c = make(chan [3][4]string)
var mymap = map[int]string{
0: "www.foo.com",
1: "www.bar.com",
2: "www.baz.com",
3: "www.faz.com",
}
values := [3][4]string{{"A", "B", "C", "D"}}
var wg sync.WaitGroup
wg.Add(4) // one thread per index, total 4 indexes
for idx, url := range mymap {
go func(idx int, url string) {
defer wg.Done()
values[1][idx] = "someone"
values[2][idx] = "something"
c <- values
}(name, url)
}
wg.Wait()
close(c)
答案1
得分: 2
从代码中看,似乎没有读取通道c的操作,代码在那里卡住了。
这段代码不需要任何同步(通道等),因为每个goroutine都在处理values
的不同部分,gr1-> [xx,0],gr2-> [xx,1],gr3-> [xx,2],gr4-> [xx,3]。
只需从代码中移除通道c,这样应该就可以正常工作了。
将goroutine代码更改为:
go func(idx int, url string, arr *[3][4]string) {
defer wg.Done()
arr[1][idx] = "someone"
arr[2][idx] = "something"
}(idx, url, &values)
英文:
From code it looks like channel c is not read, and code is stuck there.
This code doesn't need any synchronisation (channel etc.) because each goroutine is working on different part of values
, gr1->[xx,0], gr2->[xx,1], gr3-> [xx,2], gr4-> [xx,3].
Just remove the channel c from the code and this should work fine.
Change goroutine code to:
go func(idx int, url string, arr *[3][4]string) {
defer wg.Done()
arr[1][idx] = "someone"
arr[2][idx] = "something"
}(idx, url, &values)
答案2
得分: 0
根据之前的回答,你的通道没有被读取。
然而,如果你对通道进行缓冲(在你的情况下缓冲大小为4),代码应该能够完成。
另外,移除通道也是可行的解决方案。我不确定为什么你要将整个构建的数组传递给通道。我猜你是在检查数组如何被改变以及程序如何工作的。
英文:
As previous answer states, you channel is not read.
However, if you buffer your channel (buffer of 4 in your case) the code should finish.
Also removing the channel is viable solution. I am not sure why you pass the whole array you are building to the channel. I assume you examining how the array gets changed and how the routines work.
通过集体智慧和协作来改善编程学习和解决问题的方式。致力于成为全球开发者共同参与的知识库,让每个人都能够通过互相帮助和分享经验来进步。
评论