Mutex
In this chapter you will learn:
- How to create Mutex
- Threading with Mutex
- Use a Mutex to control a shared resource against two current threads
Create Mutex
using System;//j a v a 2 s .co m
using System.Threading;
class MainClass
{
public static void Main()
{
bool ownsMutex;
using (Mutex mutex =new Mutex(true, "MutexExample", out ownsMutex))
{
if (ownsMutex)
{
Console.WriteLine("Owned");
mutex.ReleaseMutex();
}
else
{
Console.WriteLine("Another instance of this application " +
" already owns the mutex named MutexExample.");
}
}
}
}
The code above generates the following result.
OwnedThreading with Mutex
using System;/*from j a v a 2 s .c om*/
using System.Collections;
using System.Threading;
class MainClass
{
public static ArrayList MyList = new ArrayList();
private static Mutex MyMutex = new Mutex(false, "MyMutex");
static void Main(string[] args)
{
Thread ThreadOne = new Thread(new ThreadStart(MutexExample));
ThreadOne.Start();
}
protected static void MutexExample()
{
MyMutex.WaitOne();
MyList.Add(" a value");
MyMutex.ReleaseMutex();
}
}
Use a Mutex to control a shared resource against two current threads
using System; //from j ava2s . co m
using System.Threading;
class MyCounter {
public static int count = 0;
public static Mutex MuTexLock = new Mutex();
}
class IncThread {
public Thread thrd;
public IncThread() {
thrd = new Thread(this.run);
thrd.Start();
}
void run() {
Console.WriteLine("IncThread is waiting for the mutex.");
MyCounter.MuTexLock.WaitOne();
Console.WriteLine("IncThread acquires the mutex.");
int num = 10;
do {
Thread.Sleep(50);
MyCounter.count++;
Console.WriteLine("In IncThread, MyCounter.count is " + MyCounter.count);
num--;
} while(num > 0);
Console.WriteLine("IncThread releases the mutex.");
MyCounter.MuTexLock.ReleaseMutex();
}
}
class DecThread {
public Thread thrd;
public DecThread() {
thrd = new Thread(new ThreadStart(this.run));
thrd.Start();
}
void run() {
Console.WriteLine("DecThread is waiting for the mutex.");
MyCounter.MuTexLock.WaitOne();
Console.WriteLine("DecThread acquires the mutex.");
int num = 10;
do {
Thread.Sleep(50);
MyCounter.count--;
Console.WriteLine("In DecThread, MyCounter.count is " + MyCounter.count);
num--;
} while(num > 0);
Console.WriteLine("DecThread releases the mutex.");
MyCounter.MuTexLock.ReleaseMutex();
}
}
class MainClass {
public static void Main() {
IncThread mt1 = new IncThread();
DecThread mt2 = new DecThread();
mt1.thrd.Join();
mt2.thrd.Join();
}
}
The code above generates the following result.