3

我有以下 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();

        }
    }
}
4

3 回答 3

8

您仍在“捕获循环变量”。您正在创建一个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();
}
于 2013-08-23T18:38:18.190 回答
3

您的线程操作正在关闭变量i而不是其当前值。i因此,您在线程读取和 for 循环中的增量之间存在竞争。您可以将其作为参数传递:

ts[i] = new Thread(index =>
{
    CallService((int)index);
});
ts[i].Start(i);

或者,您可以将副本移动temp到循环内部而不是线程操作:

for (int i = 0; i < 4; i++)
{
    int temp = i;
    ts[i] = new Thread(() =>
    {
        CallService(temp);
    });
    ts[i].Start();
}
于 2013-08-23T18:36:44.950 回答
3

你应该把这条线

int temp = i;

在创建线程之前

for (int i = 0; i < 4; i++)
{
    int temp = i;
    ts[i] = new Thread(() => CallService(temp));
    ts[i].Start();
}

这样,您将创建一个 i 的本地副本,供 lambda 表达式使用。

于 2013-08-23T18:39:39.827 回答