C#性能優化之Lazy<T> 實現延遲初始化
在.NET4.0中,可以使用Lazy<T> 來實現對象的延遲初始化,從而優化系統的性能。延遲初始化就是將對象的初始化延遲到第一次使用該對象時。延遲初始化是我們在寫程序時經常會遇到的情形,例如創建某一對象時需要花費很大的開銷,而這一對象在系統的運行過程中不一定會用到,這時就可以使用延遲初始化,在第一次使用該對象時再對其進行初始化,如果沒有用到則不需要進行初始化,這樣的話,使用延遲初始化就提高程序的效率,從而使程序占用更少的內存。
下面我們來看代碼,新建一個控制台程序,首先創建一個Student類,代碼如下:(由於用的英文版操作系統,所以提示都寫成英文,還請見諒)
復制代碼
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace ConsoleApplication1
{
public class Student
{
public Student()
{
this.Name = "DefaultName";
this.Age = 0;
Console.WriteLine("Student is init...");
}
public string Name { get; set; }
public int Age { get; set; }
}
}
復制代碼
然後在Program.cs中寫如下代碼:
復制代碼
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace ConsoleApplication1
{
class Program
{
static void Main(string[] args)
{
Lazy<Student> stu = new Lazy<Student>();
if(!stu.IsValueCreated)
Console.WriteLine("Student isn't init!");
Console.WriteLine(stu.Value.Name);
stu.Value.Name = "Tom";
stu.Value.Age = 21;
Console.WriteLine(stu.Value.Name);
Console.Read();
}
}
}
可以看到,Student是在輸出Name屬性時才進行初始化的,也就是在第一次使用時才實例化,這樣就可以減少不必要的開銷。
Lazy<T> 對象初始化默認是線程安全的,在多線程環境下,第一個訪問 Lazy<T> 對象的 Value 屬性的線程將初始化 Lazy<T> 對象,以後訪問的線程都將使用第一次初始化的數據。