類別 System.Lazy<T> 可簡化執行延遲初始化和具現化物件的工作。 藉由延遲初始化物件,您可以在不需要時避免創建它們,或者可以將物件的初始化延後到第一次存取它們時。 如需詳細資訊,請參閱延遲初始設定。
Example 1
下列範例示範如何使用 初始化值 Lazy<T>。 假設可能不需要延遲變數,這取決於將變數 someCondition 設定為 true 或 false 的其他一些程式代碼。
Dim someCondition As Boolean = False
Sub Main()
'Initialize a value with a big computation, computed in parallel.
Dim _data As Lazy(Of Integer) = New Lazy(Of Integer)(Function()
Dim result =
ParallelEnumerable.Range(0, 1000).
Aggregate(Function(x, y)
Return x + y
End Function)
Return result
End Function)
' Do work that might or might not set someCondition to True...
' Initialize the data only if needed.
If someCondition = True Then
If (_data.Value > 100) Then
Console.WriteLine("Good data")
End If
End If
End Sub
static bool someCondition = false;
// Initialize a value with a big computation, computed in parallel.
Lazy<int> _data = new Lazy<int>(delegate
{
return ParallelEnumerable.Range(0, 1000).
Select(i => Compute(i)).Aggregate((x,y) => x + y);
}, LazyThreadSafetyMode.ExecutionAndPublication);
// Do some work that might or might not set someCondition to true...
// Initialize the data only if necessary.
if (someCondition)
{
if (_data.Value > 100)
{
Console.WriteLine("Good data");
}
}
Example 2
下列範例示範如何使用 System.Threading.ThreadLocal<T> 類別來初始化目前線程上目前對象實例只能看見的類型。
// Initialize a value per thread, per instance.
ThreadLocal<int[][]> _scratchArrays =
new(InitializeArrays);
static int[][] InitializeArrays() => [new int[10], new int[10]];
// Use the thread-local data.
int i = 8;
int[] tempArr = _scratchArrays.Value[i];
'Initializing a value per thread, per instance
Dim _scratchArrays =
New ThreadLocal(Of Integer()())(Function() InitializeArrays())
' use the thread-local data
Dim tempArr As Integer() = _scratchArrays.Value(i)
' ...
End Sub
Function InitializeArrays() As Integer()()
Dim result(10)() As Integer
' Initialize the arrays on the current thread.
' ...
Return result
End Function