我有一个主线程,它使一些其他线程嵌套在两个。
private void mainthread()
{
List<Thread> ts= new List<Thread>();
for (int w=0; w<7; w+=2)
for (int h = 0; h < 5; h+=3)
{
Thread t = new Thread(delegate() { otherthreads(w, h); });
ts.Add(t);
t.Start();
}
for (int i = 0; i < ts.Count; i++)
ts[i].Join();
}
private void otherthreads(int w, int h)
{
listBox1.Invoke(new singleparam(addtolistbox), new object[] { "w:" + w.ToString() + ",h:" + h.ToString() });
}
每个线程将其输入参数添加到Listbox。我很困惑,为什么某些线程的输入参数不在for bounds中?
答案 0 :(得分:5)
您的循环正常运行,但发生的事情是:委托知道它必须将w
和h
传递到otherthreads()
函数,但那些值< / em>在实际调用之前不受约束。换句话说,在委托实际执行之前,它只知道必须使用w
和h
。在最后一次迭代中,您要求委托执行,但在它可以之前,w
和h
在发起线程上的最后时间递增,导致它们的值分别为8和6 。循环退出。然后,picomoments稍后,委托执行,NOW的值为w
和h
...但值现在为8和6。
你可以通过&#34;快照&#34;来避免这种情况。 w
和h
使用局部变量到代表周围最紧密的范围并适当地分配它们的值:
for (int h = 0; h < 5; h+=3)
{
int h2=h;
int w2=w;
Thread t = new Thread(delegate() { otherthreads(w2, h2); });
ts.Add(t);
t.Start();
}