.net 4.0 中对多线程新特性(一)
在.net 40中对多线程的处理增加了很多新的类以方便多线程环境下的编程实现,首先需要了解的是两个非常有用的类Lazy<T>和ThreadLazy<T>,通过这两个类我们可以很方便实现一个单例模式而不用考虑太多的线程安全的问题。
Lazy<T>:类简化了执行对象的延迟初始化和实例化的工作。通过以延迟方式实例化对象,可避免在根本不需要的情况下必须创建所有的对象,或者可以将对象的初始化延迟到第一次访问它们的时候.例如:
代码
class Program
{
public static Lazy<int> __current = new Lazy<int>(() => Thread.CurrentThread.ManagedThreadId);
static void Main(string[] args)
{
for (int i = 0; i < 5; i++)
{
var thread = new Thread( new ThreadStart( ()=>
{
Console.WriteLine(string.Format("Current Thread Id:{0} Current Value:{1}"
,Thread.CurrentThread.ManagedThreadId,__current.Value ) );
}) );
thread.Start();
}
Console.Read();
}
}
{
public static Lazy<int> __current = new Lazy<int>(() => Thread.CurrentThread.ManagedThreadId);
static void Main(string[] args)
{
for (int i = 0; i < 5; i++)
{
var thread = new Thread( new ThreadStart( ()=>
{
Console.WriteLine(string.Format("Current Thread Id:{0} Current Value:{1}"
,Thread.CurrentThread.ManagedThreadId,__current.Value ) );
}) );
thread.Start();
}
Console.Read();
}
}
程序输出如下:
可以看到__current.Value在不同的线程下面的值始终为第一个线程的ID,需要注意的是__current.Value属性一旦被调用就会回调构造函数中传入的Fun,如果调用失败__current也不会再次调用Fun,其__current.IsValueCreated始终为真,__current.Value是不能够被修改的。通过Lazy<T>可以非常优雅的实现一个简单的单例:
代码
public class Singleton
{
private Singleton()
{
}
private static Lazy<Singleton> __inc = new Lazy<Singleton>(() => new Singleton());
public static Singleton Current
{
get { return __inc.Value; }
}
}
{
private Singleton()
{
}
private static Lazy<Singleton> __inc = new Lazy<Singleton>(() => new Singleton());
public static Singleton Current
{
get { return __inc.Value; }
}
}