例外:从非同步代码块调用对象同步方法

时间:2011-11-23 19:35:05

标签: c# .net multithreading c#-4.0

我有几个写入同一个int的线程。每个线程递增 整数值。什么是同步增量操作的简单方法。 lock语句仅适用于Object,因此我无法使用它。我也试过了 以下:

static int number=0;

static void Main(string[] args)
    {
        ThreadStart ts = new ThreadStart(strtThread);
        new Thread(ts).Start();
        new Thread(ts).Start();
        new Thread(ts).Start();
        new Thread(ts).Start();
        new Thread(ts).Start();
        new Thread(ts).Start();
        Console.ReadLine();
    }

    public static void strtThread()
    {
        bool lockTaken = false;

        Monitor.Enter(number,ref lockTaken);
        try
        {
            Random rd = new Random();
            int ee = rd.Next(1000);
            Console.WriteLine(ee);
            Thread.Sleep(ee);
            number++;
        }
        catch (Exception ex)
        {
            Console.WriteLine(ex.Message);
        }
        finally 
        {
            if (lockTaken)
            {
             Monitor.Exit(number);
            }

        }
    }

它给了我以下错误:

  

从非同步代码块调用对象同步方法。

3 个答案:

答案 0 :(得分:5)

您可以使用Interlocked.Increment Method自动递增整数而不锁定:

public static void strtThread()
{
    Interlocked.Increment(ref number);
}

如果您有多个语句,可以创建一个object实例,lock

private static int number = 0;
private static readonly object gate = new object();

public static void strtThread()
{
    lock (gate)
    {
       number++;
    }    
}

答案 1 :(得分:2)

为什么你会打扰number?我认为这就是问题所在。试试这个:

static Object locking = new Object();

static void Main(string[] args)
    {
        ThreadStart ts = new ThreadStart(strtThread);
        new Thread(ts).Start();
        new Thread(ts).Start();
        new Thread(ts).Start();
        new Thread(ts).Start();
        new Thread(ts).Start();
        new Thread(ts).Start();
        Console.ReadLine();
    }

    public static void strtThread()
    {
        lock(locking) {
            try
            {
                Random rd = new Random();
                int ee = rd.Next(1000);
                Console.WriteLine(ee);
                Thread.Sleep(ee);
            }
            catch (Exception ex)
            {
                Console.WriteLine(ex.Message);
            }
        }
    }

答案 2 :(得分:2)

Interlocked.Increment提供原子增量。 Interlocked class通常“为多个线程共享的变量提供原子操作。”