C#Threading&闭塞

时间:2012-10-10 01:03:51

标签: c# multithreading

我想知道哪一种更好的方法以线程安全的方式加载数据。传统上,我使用了双锁模式,这很好地达到了目的。现在,通过添加System.Lazy类型,我想知道是否依赖于Lazy和Loading的内部更好并且以更好的方式完成工作。它看起来更干净,更容易阅读,但它更好吗?

有什么想法?

namespace SomeNameSpace
{
  public class DataStoreContext
  {
    private readonly static Lazy<DataStoreContext> context = new Lazy<DataStoreContext>(() => new DataStoreContext());
    private Lazy<Dictionary<string, Entity>> _entities = new Lazy<Dictionary<string, Entity>>(() => { return DataStoreContext.Instance.Load(); });
    private readonly object _syncRoot = new object();
    private DataStoreContext()
    {
    }

    public Dictionary<string, Entity> Data
    {
      get { return _entities.Value; }
    }

    public static DataStoreContext Instance
    {
      get { return context.Value; }
    }

    private Dictionary<string, Entity> Load()
    {
      // Load Data from some data store. 
      return null;
    }

    private Dictionary<string, Entity> LoadWithLock()
    {
      if (_entities == null)
      {
        lock (_syncRoot)
        {
          if (_entities == null)
          {
            Dictionary<string, Entity> entities = this.Load();
            _entities = entities;
            return _entities;
          }
        }
      }

      return _entities ;
    }

    public void Clear()
    {

     _entities = new Lazy<Dictionary<string, Entity>>(() => { return DataStoreContext.Instance.Load(); });

    }
  }
}

2 个答案:

答案 0 :(得分:8)

  

它看起来更干净,更容易阅读,但它更好吗?

是。双重检查锁定很难正确。它需要内存屏障才能正确。 CIL *实际上并未保证您的实施安全。

有关详细信息,请参阅this Wikipedia entry

通过使用Lazy<T>,您获得的代码不仅更清晰,而且在所有平台上都是正确的。

*请注意,由于平台的内存模型,这可能在运行Microsoft运行时的x86和x64上完美运行。但是,如果没有适当的内存障碍,规则并不能保证正确。

答案 1 :(得分:3)

根据MSDN的文档:

  

默认情况下,Lazy类的所有公共成员和受保护成员都是线程安全的,可以从多个线程同时使用。可以使用类型构造函数的参数,可选地和每个实例删除这些线程安全保证。

读取和写入操作都非常安全。因此,我会说坚持这一点,因为它更清洁。

但是,正如文档所述,您可以使用构造函数的一些可选参数来关闭该线程的安全性。