C# 互斥对象--Mutex---线程同步(三)

 

当两个或者更多的线程需要同时访问一个共享资源时,系统需要同步机制来确保一次只能有一个线程使用这个资源,Mutex 只限一个线程授予对共享资源的独占访问权,如果一个线程获取了互斥体那么想要获取资源的第二个线程就会被挂起,直到第一个线程释放互斥体,MutexMonitor ,lock 想要达到的效果是类似的,monitor 不同的是:可以用来使跨进程的线程同步,也就是两个软件或多个软件

可以使用Mutex类的WaitOne 方法请求互斥体的所属权,拥有互斥体的线程可以在对WaitOne方法的重复调用中请求相同的互斥体而不会阻止其执行,但线程必须调用同样多次的Mutex类的ReleaseMutex 方法来释放互斥体的所有属权,Mutex类强制线程标识,因此互斥体只能由获得它的线程释放.

常用方法:

C# 互斥对象--Mutex---线程同步(三)_第1张图片

示例:

using System;
using System.Collections.Generic;
using System.Data.SqlClient;
using System.Data;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.IO;
using System.Net;
using System.Net.Sockets;
using System.Threading;

namespace ConsoleApp1
{
    class Program
    {
        static void Main(string[] args)
        {
            Account ac = new Account();
            for (int i = 0; i < 3; i++)
            {
                Thread th = new Thread(ac.TestRun);
                th.Start();
            }
            Console.Read();
        }
    }

    class Account
    {
        Mutex mu = new Mutex();
        private int i = 0;
        public void TestRun() {
            while (true)
            {
                if (mu.WaitOne())
                {
                    break;
                }
            }
            Console.WriteLine("i的初始值为:"+i.ToString());
            Thread.Sleep(1000);//模拟耗时工作
            i++;
            Console.WriteLine("i在自增长后的值:"+i.ToString());
            mu.ReleaseMutex();
        }
    }
}


效果:

C# 互斥对象--Mutex---线程同步(三)_第2张图片

呵呵哒

你可能感兴趣的:(C#)