我有以下 C# 代码片段,其中我模拟了我的问题。在这个程序中,我有一个调用 ReadRooms 方法的服务函数。 现在我在不同的线程上调用服务方法。我期望 ServiceCall 和 ReadRooms 方法都会同等地触发,但我得到的结果不正确。
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading;
using System.Threading.Tasks;
namespace ConsoleApplication1
{
class Program
{
public static void ReadRooms(int i)
{
Console.WriteLine("Reading Room::" + i);
Thread.Sleep(2000);
}
public static void CallService(int i)
{
Console.WriteLine("ServiceCall::" + i);
ReadRooms(i);
}
static void Main(string[] args)
{
Thread[] ts = new Thread[4];
for (int i = 0; i < 4; i++)
{
ts[i] = new Thread(() =>
{
int temp = i;
CallService(temp);
});
ts[i].Start();
}
for (int i = 0; i < 4; i++)
{
ts[i].Join();
}
Console.WriteLine("done");
Console.Read();
}
}
}
您仍在“捕获循环变量”。您正在创建
temp
,但为时已晚,此时 i
已被捕获。
试试这个:
for (int i = 0; i < 4; i++)
{
int temp = i; // outside the lambda
ts[i] = new Thread(() =>
{
//int temp = i; // not here
CallService(temp);
});
ts[i].Start();
}
你应该放这条线
int temp = i;
创建线程之前
for (int i = 0; i < 4; i++)
{
int temp = i;
ts[i] = new Thread(() => CallService(temp));
ts[i].Start();
}
这样您将创建 i 的本地副本,供 lambda 表达式使用。
您的线程操作正在关闭变量
i
而不是其当前值。因此,线程读取 i
和 for 循环中的增量之间存在竞争。您可以将其作为参数传递:
ts[i] = new Thread(index =>
{
CallService((int)index);
});
ts[i].Start(i);
或者,您可以将
temp
的副本移动到循环内部,而不是线程操作:
for (int i = 0; i < ts.Length; i++)
{
int temp = i;
ts[i] = new Thread(() =>
{
CallService(temp);
});
ts[i].Start();
}