本篇介紹 C# 中如何用 params
傳入多個參數, 如何使用 lock
與 Monitor.TryEnter
確保資源在多執行緒情形下是獨佔的,不會被同時修改。
params
使用 params
關鍵字,可以指定數量不固定的一維陣列引數作為方法參數。並且也可以直接在使用方法時用 , 分隔多個引數。使用方式可參考下方程式碼 (部分引用自 Microsoft Docs)
public static void UseParams(params int[] list)
{
for (int i = 0; i < list.Length; i++)
{
Console.Write(list[i] + " ");
}
Console.WriteLine();
}
static void Main()
{
// You can send a comma-separated list of arguments of the
// specified type.
UseParams(1, 2, 3, 4);
// An array argument can be passed, as long as the array
// type matches the parameter type of the method being called.
int[] myIntArray = { 5, 6, 7, 8, 9 };
UseParams(myIntArray);
lock
lock
關鍵字的使用,可以避免不同執行緒同時存取同一個資源,導致資源同時被存取而引發的錯誤。
private object key = new object();
private void work()
{
lock(key)
{
// 存取資源
}
}
key
可使用任何型別的物件,它只會單純的當作一個鑰匙被看待。當不同執行緒在執行到 lock
時,會先檢查 key
是否被占用,若被占用,則等待到 key
被釋放後再繼續執行。
參考資料中的互斥鎖,透過存取變數副本的方法,可以增加多執行緒程式的效能。
同場加映:Monitor.TryEnter
在 System.Therading.Monitor 類別內,包含數個方法用於避免競逐狀態 (Race Condition),其中的 Monitor.TryEnter()
方法,可以確保物件在使用期間是被獨佔的。
和 lock
有什麼不一樣?
- 用
Monitor.TryEnter()
可以指定等待取得鎖定物件的時間,而lock
不行。 lock
語法等於用try...finally...
區塊包覆Monitor.Enter()
和Monitor.Exit()
方法,語法較為簡潔。
參考資料
- params 關鍵字 - C# 參考 - Microsoft Docs
- [C#] 多執行緒(3) 互斥鎖 Mutex – Program – C.Y.C
- 官方說明
lock
和Monitor.TryEnter()
的介紹:[筆記]C# 鎖定-使用lock、Monitor.Enter、Monitor.TryEnter的小範例 - 遇見零壹魔王 - 點部落