在尝试启动多个线程时,索引超出了数组的边界
本文关键字:索引 数组 边界 启动 线程 | 更新日期: 2023-09-27 18:16:03
我有这段代码,它给了我一个"索引是在数组的边界之外"。我不知道为什么会发生这种情况,因为变量i
应该总是小于数组bla
的长度,因此不会导致此错误。
private void buttonDoSomething_Click(object sender, EventArgs e)
{
List<Thread> t = new List<Thread>();
string[] bla = textBoxBla.Lines;
for (int i = 0; i < bla.Length; i++)
{
t.Add(new Thread (() => some_thread_funmction(bla[i])));
t[i].Start();
}
}
有人能告诉我如何解决这个问题,为什么会发生这种情况。谢谢!
闭包是您的问题。
基本上,不是在创建lambda(在循环中)时获取值,而是在需要时获取值。而计算机的速度是如此之快,以至于当它发生的时候,它已经跳出了循环。结果是3。下面是一个示例(先不要运行它):
private void buttonDoSomething_Click(object sender, EventArgs e)
{
List<Thread> t = new List<Thread>();
for (int i = 0; i < 3; i++)
{
t.Add(new Thread (() => Console.Write(i)));
t[i].Start();
}
}
想想你期望的结果是什么。你想的是012
吗?
现在运行它。
结果为333
。
下面是修改后的代码:
private void buttonDoSomething_Click(object sender, EventArgs e)
{
List<Thread> t = new List<Thread>();
string[] bla = textBoxBla.Lines;
for (int i = 0; i < bla.Length; i++)
{
int y = i;
//note the line above, that's where I make the int that the lambda has to grab
t.Add(new Thread (() => some_thread_funmction(bla[y])));
//note that I don't use i there, I use y.
t[i].Start();
}
}
现在可以正常工作了。这一次,当循环结束时,该值超出了作用域,因此lambda别无选择,只能在循环结束之前接受它。
您看到的是一个竞争条件。您的for
循环在线程实际启动之前完成。因此,当线程实际启动时,i
的值已经超出了数组的边界。
尝试复制索引值并传递副本。
private void buttonDoSomething_Click(object sender, EventArgs e)
{
List<Thread> t = new List<Thread>();
string[] bla = textBoxBla.Lines;
for (int i = 0; i < bla.Length; i++)
{
int index = i;
t.Add(new Thread (() => some_thread_funmction(bla[index])));
t[i].Start();
}
}