0

我在理解 Mutex 类以及如何在 WP8 应用程序中正确使用它时遇到问题。我正在尝试做的是只允许 ScheduledAgent 或应用程序一次读取/写入文件到存储。我已经尝试了各种方法,但没有运气。任何帮助,将不胜感激。

调度代理代码:

当我调用 ReleaseMutex() 时出现以下代码错误。当我像这样创建 Mutex 对象时,此问题已得到解决:new Mutex( true , "FlightPathData")。但后来我永远无法获得锁并挂在 WaitOne()

错误

对象同步方法是从未同步的代码块中调用的。

代码

readonly Mutex mutex = new Mutex(false, "FlightPathData");

protected async override void OnInvoke(ScheduledTask task)
{
      List<METAR> savedMetars = null;
      var facility = ....;

      bool mutexAcquired = mutex.WaitOne();
      try
      {
           if (mutexAcquired)
           {
               savedMetars = await Data.LoadMetarsAsync(facility.Identifier);
               //Thread.Sleep(15000);
           }
       }
       finally
       {
           if (mutexAcquired)
           {
               mutex.ReleaseMutex();
           }
       }

       NotifyComplete();
 }

ViewModelCode(工作正常,直到 ScheduledAgent ReleaseMutex() 失败)

static readonly Mutex mutex = new Mutex(true, "FlightPathData");
...
mutex.WaitOne();
var savedMetars = await Data.LoadMetarsAsync(this.Facility.Identifier);
mutex.ReleaseMutex();
4

1 回答 1

2

您不能在async代码中使用线程仿射锁。这是因为它await会导致方法返回(同时持有互斥锁),然后另一个线程可以继续该async方法并尝试释放它不拥有的互斥锁。如果这令人困惑,我有一篇async介绍性博客文章,您可能会觉得有帮助。

所以你不能使用Mutex或其他线程仿射锁,例如lock. 但是,您可以使用SemaphoreSlim. 在您的async方法中,您将使用await WaitAsync而不是Wait.

于 2013-06-01T20:31:48.467 回答