1

我只是在 Mutex 上进行试验并编写了以下代码。

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading;

namespace Mutex_WaitOnewithTimeouts
{
    class Program
    {
        private static Mutex mut = new Mutex();
        private static int numOfThreads = 5;
        private static int numOfIterations = 3;
        private static Random rand = new Random();

        static void Main(string[] args)
        {
            Thread[] threads = new Thread[5];
            for (int num = 0; num < numOfThreads; num++)
            {
                threads[num] = new Thread(new ThreadStart(MyThreadProc));
                threads[num].Name = String.Format("Thread{0}", num);
                threads[num].Start();
            }
            Console.Read();
        }

        private static void MyThreadProc()
        {
            for (int iteration = 0; iteration < numOfIterations; iteration++)
            {
                UseResource();
            }
        }

        private static void UseResource()
        {
            Console.WriteLine("{0} accessing ", Thread.CurrentThread.Name);
            int time = (int)(rand.NextDouble() * 100);
            try
            {
                if (mut.WaitOne(time))
                {
                    Console.WriteLine("Yippie got mutex for {0}", Thread.CurrentThread.Name);
                    Thread.Sleep((int)rand.NextDouble() * 5000);
                }
                else
                {
                    Console.WriteLine("Nopee.... Timeout occured for {0}", Thread.CurrentThread.Name);
                }
            }
            catch (AbandonedMutexException ex)
            {
                Console.WriteLine(" Exception is caught");
            }
            finally 
            {
                Console.WriteLine("Releasing mutex for {0}", Thread.CurrentThread.Name);
               mut.ReleaseMutex();

            }

        }
    }
}

但是我有时会收到 ApplicationException 。如果我的代码有任何问题,有人可以帮助我,还请解释何时会触发此异常。

对象同步方法是从未同步的代码块中调用的。尝试释放互斥锁时,我在 finally 块中得到了这个。

4

2 回答 2

7

即使您的 WaitOne 失败,您也正在释放互斥锁。将 ReleaseMutex 调用移到您知道已获得互斥锁的 if 语句中。

于 2012-05-01T18:46:35.647 回答
0

@John 的答案是正确的,但对于后代来说,我认为更好的模式是在 the 中设置一个布尔值为真,if然后仍然releasefinally块中执行,但这次只有在布尔值为真时才这样做。问题是如果任何if子句抛出,则互斥锁将不会被释放。我假设您将在该if子句中添加更多内容,而不仅仅是写入和睡眠。

如果可以的话,你总是想使用一个try { ... } finally模式,但只是防止waitOne()调用返回 false。类似于以下内容:

bool release = false;
try {
    if (mut.waitOne(time)) {
        release = true;
        ...
    } else {
        ...
    }
} catch (AbandonedMutexException ex) {
    ...
} finally {
    ...
    if (release) {
        mut.ReleaseMutex();
    }
}
于 2012-05-01T19:25:33.683 回答