本文整理汇总了C#中System.Threading.ReaderWriterLock.ReleaseReaderLock方法的典型用法代码示例。如果您正苦于以下问题:C# ReaderWriterLock.ReleaseReaderLock方法的具体用法?C# ReaderWriterLock.ReleaseReaderLock怎么用?C# ReaderWriterLock.ReleaseReaderLock使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在类System.Threading.ReaderWriterLock
的用法示例。
在下文中一共展示了ReaderWriterLock.ReleaseReaderLock方法的3个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的C#代码示例。
示例1: ReaderWriterLock
// The complete code is located in the ReaderWriterLock class topic.
using System;
using System.Threading;
public class Example
{
static ReaderWriterLock rwl = new ReaderWriterLock();
// Define the shared resource protected by the ReaderWriterLock.
static int resource = 0;
示例2: ReadFromResource
// Request and release a reader lock, and handle time-outs.
static void ReadFromResource(int timeOut)
{
try {
rwl.AcquireReaderLock(timeOut);
try {
// It is safe for this thread to read from the shared resource.
Display("reads resource value " + resource);
Interlocked.Increment(ref reads);
}
finally {
// Ensure that the lock is released.
rwl.ReleaseReaderLock();
}
}
catch (ApplicationException) {
// The reader lock request timed out.
Interlocked.Increment(ref readerTimeouts);
}
}
示例3: ReaderWriterLock.ReleaseReaderLock()
//引入命名空间
using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.IO;
using System.Reflection;
using System.Runtime;
using System.Runtime.CompilerServices;
using System.Security;
using System.Text;
using System.Threading;
class Account
{
public string company ="No Name";
public decimal balance= 0.0m;
public DateTime lastUpdate = DateTime.Now;
public ReaderWriterLock syncLock = new ReaderWriterLock();
public decimal AutoUpdateBalance(decimal delta)
{
syncLock.AcquireWriterLock(-1);
try
{
balance += delta;
lastUpdate = DateTime.Now;
return balance;
}
finally
{
syncLock.ReleaseWriterLock();
}
}
public void GetState(out string company, out decimal balance, out DateTime lastUpdate)
{
syncLock.AcquireReaderLock(-1);
try
{
company = this.company;
balance = this.balance;
lastUpdate = this.lastUpdate;
}
finally
{
syncLock.ReleaseReaderLock();
}
}
}
public class MainClass
{
public static void Main()
{
Account account = new Account();
string company;
decimal balance;
DateTime lastUpdate;
account.GetState(out company, out balance, out lastUpdate);
Console.WriteLine("{0}, balance: {1}, last updated: {2}",company, balance, lastUpdate);
}
}