[多线程] SemaphoreSlim类

    SemaphoreSlim类作为Semaphone类的轻量级版本。该类限制了同时访问同一个资源的线程数量

    工作原理:

    当主程序启动时,创建了SemaphoreSlim(翻译为 简易信号)的一个实例,并在其构造函数中指定允许的并发线程数量。然后启动了6哥不同名称和不同初始运行时间的线程。

    每个线程都尝试获取数据库的访问,但是我们借助于信号系统限制了访问数据库的并发线程为4个线程。当有4哥线程获取了数据库当访问后,其他两个线程需要等待,直到之前线程中的某一个完成并调用_semaphone.Release(release 翻译为 发布)方法来发出信号。

    更多信息:

    Semaphore是Semaphore的老版本,该版本使用纯粹的内核时间方式,一般没必要使用它,除非是非常重要的场景。SemaphoneSlim并不使用windoes内核信号量,而且也不支持进程间同步。所以在跨程序同步的场景下可以使用Semaphore。

using System;
using System.Threading;
using static System.Console;
using static System.Threading.Thread;

namespace Chapter2.Recipe3
{
	class Program
	{
		static void Main(string[] args)
		{
			for (int i = 1; i <= 6; i++)
			{
				string threadName = "Thread " + i;
				int secondsToWait = 2 + 2 * i;
				var t = new Thread(() => AccessDatabase(threadName, secondsToWait));
				t.Start();
			}
		}

		static SemaphoreSlim _semaphore = new SemaphoreSlim(4);

		static void AccessDatabase(string name, int seconds)
		{
			WriteLine($"{name} waits to access a database");
			_semaphore.Wait();
			WriteLine($"{name} was granted an access to a database");
			Sleep(TimeSpan.FromSeconds(seconds));
			WriteLine($"{name} is completed");
			_semaphore.Release();
		}
	}
}

 

你可能感兴趣的:(多线程)