本文紀錄了 Dictionary、Struct 和 List 的一部分使用方式。
檢查 Dictionary 是否包含某個 Key
可以使用 ContainsKey(key)
:
if (dict.ContainsKey(key)) { ... }
或 TryGetValue
:
dict.TryGetValue(key, out value);
參考資料:exchangewebservices - How can I detect if this dictionary key exists in C#? - Stack Overflow
Dictionary 如何使用 foreach
使用 KeyValuePair
即可分別取出 Key 和 Value。
_DicList = new Dictionary<string, string>();
_DicList.Add("s1", "test1");
_DicList.Add("s2", "test2");
_DicList.Add("s3", "test3");
foreach (KeyValuePair<string, string> item in _DicList) {
Console.WriteLine(item.Value);
}
參考資料:[C#] Dictionary 如何使用 foreach (KeyValuePair)
使用結構 (struct)
在特定情形下,使用 struct
代替類別儲存資料,能夠節省使用的記憶體空間。
- 可以使用方法。
struct
是實值型別,class
是參考型別,因此struct
適合用來定義輕量型物件。- 可使用具有參數的建構函數,但不支援預設 (無參數) 建構函數
建立方式如下:
public struct Coords
{
public int x, y;
public Coords(int p1, int p2)
{
x = p1;
y = p2;
}
}
使用方式如下:
// Initialize:
Coords coords1 = new Coords();
Coords coords2 = new Coords(10, 10);
參考資料:
使用結構 - C# 程式設計手冊 - Microsoft Docs
結構 - C# 程式設計手冊 - Microsoft Docs
如何複製 List
若 List
List<YourType> newList = new List<YourType>(oldList);
若元素是參考的話,則可能需要逐一元素進行複製。