我觉得我正在重新发明轮子,并且很有可能那里的人已经撞到了代码,并提出了一个良好,稳定且经过测试的模式来解决这个问题,并且我还没有遇到过。
我想出了以下似乎对我有用的解决方案。
它应该为处理应该以线程安全方式访问的对象提供一致的接口。
@pst称这是一个“Atomic”对象获取/设置持有者,这是一种在其他地方使用的模式吗?
这是界面:
public interface ISynched<T>
{
bool Read( ref T value );
bool Read( ref T value, TimeSpan timeout );
bool Write( T value );
bool Write( T value, TimeSpan timeout );
bool Do( Action<T> roAction );
bool Do( Action<T> roAction, TimeSpan timeout );
bool Do( Action<T, Action<T>> rwAction );
bool Do( Action<T, Action<T>> rwAction, TimeSpan timeout );
}
实施如下:
public class Synched<T>: ISynched<T>
{
static public readonly TimeSpan Infinity = TimeSpan.FromMilliseconds(-1);
private T _value;
public static Synched<T> MakeSynched( T value )
{
return new Synched<T>() { _value = value };
}
private Synched() {}
public bool Read( ref T value )
{
return Read( ref value, Infinity );
}
public bool Read( ref T value, TimeSpan timeout )
{
var tmp = default(T);
var success = Do( (v) => tmp = v, timeout );
if( success ) value = tmp;
return success;
}
public bool Write( T value )
{
return Do( (v, set) => set(v) );
}
public bool Write( T value, TimeSpan timeout )
{
return Do( (v, set) => set(v), timeout );
}
public bool Do( Action<T> roAction )
{
return Do( roAction, Infinity );
}
public bool Do( Action<T> roAction, TimeSpan timeout )
{
bool lockWasTaken = false;
try
{
Monitor.TryEnter(this, timeout, ref lockWasTaken);
if(!lockWasTaken) return false;
roAction( _value );
return true;
}
finally
{
if (lockWasTaken) Monitor.Exit(this);
}
}
public bool Do( Action<T, Action<T>> rwAction )
{
return Do( rwAction, Infinity);
}
public bool Do( Action<T, Action<T>> rwAction, TimeSpan timeout )
{
bool lockWasTaken = false;
try
{
Monitor.TryEnter(this, timeout, ref lockWasTaken);
if(!lockWasTaken) return false;
rwAction( _value, value => _value = value );
return true;
}
finally
{
if (lockWasTaken) Monitor.Exit(this);
}
}
}
还有一个额外的静态非泛型类,可以更容易地编写Synched对象的代码:
public static class Synched
{
public static Synched<T> MakeSynched<T>( T value )
{
return Synched<T>.MakeSynched( value );
}
}
已编辑:我已将示例更改为更有意义 一个示例用例看起来像这样(代码并不意味着什么,只是一个例子(那是一个坏的例子):
var synchedCol = Synched.MakeSynched( new List<SomeClass>() );
synchedCol.Do( c => {
c.Add(new SomeClass());
c.Add(new SomeClass() { Property1 = "something" } );
} );
var i = 1;
SomeClass val;
synchedCol.Do( c => val = c[i] );
var i = 1;
synchedCol.Do( c => {
if( c[i].Property1 == "something" )
{
c.Remove(c[i]);
}
});
我在正确的轨道上吗?有没有人遇到类似的东西?是否存在类似的现有模式?
答案 0 :(得分:1)
不要试图重新发明轮子
如果您想要一个线程安全的集合,请从 System.Collections.Concurrent 命名空间中选择一个。
例如BlockingColletion<T>
为实现IProducerConsumerCollection<T>
的线程安全集合提供阻塞和绑定功能。这将比您的实现更高效,因为它实现了生产者/消费者(读/写)模式。这意味着读者不必同步,也不会互相阻塞。