在C#中,Dictionary<TKey, TValue>
是一种非常常用的数据结构,用于存储键值对。以下是一些常用的字典操作:
使用new
关键字创建一个空字典,或者使用集合初始化器添加初始元素。
var dictionary = new Dictionary<string, int>();
// 或者使用集合初始化器
var dictionary2 = new Dictionary<string, int>
{
{"one", 1},
{"two", 2},
{"three", 3}
};
使用Add
方法将键值对添加到字典中。
dictionary.Add("four", 4);
通过键访问字典中的值。
int value = dictionary["two"]; // value = 2
通过键修改字典中的值。
dictionary["two"] = 20; // 将键 "two" 的值修改为 20
使用Remove
方法删除指定键的元素。
dictionary.Remove("two"); // 删除键 "two" 及其对应的值
使用ContainsKey
方法检查字典中是否存在指定的键。
bool exists = dictionary.ContainsKey("one"); // exists = true
使用Keys
和Values
属性分别获取字典中的所有键和值。
foreach (string key in dictionary.Keys)
{
Console.WriteLine(key);
}
foreach (int value in dictionary.Values)
{
Console.WriteLine(value);
}
使用foreach
循环遍历字典中的键值对。
foreach (KeyValuePair<string, int> kvp in dictionary)
{
Console.WriteLine($"Key: {kvp.Key}, Value: {kvp.Value}");
}
使用Clear
方法清空字典中的所有元素。
dictionary.Clear();
使用Count
属性获取字典中的元素数量。
int count = dictionary.Count;
这些是C#字典的一些常用操作。请注意,字典的键必须是唯一的,但值可以重复。如果尝试添加一个已经存在的键,将会抛出一个ArgumentException
异常。