C# Dictionary详解:用法与扩展方法

2星 需积分: 10 3 下载量 141 浏览量 更新于2024-09-14 收藏 25KB DOCX 举报
“C# Dictionary用法相关教程及代码示例” C#中的`Dictionary<TKey, TValue>`是一个泛型集合,用于存储键值对的数据。它提供了快速查找、添加和删除元素的功能,因为它是基于哈希表实现的。下面将详细讨论在C#中使用`Dictionary`的各种方法和技巧。 1、常规用法: 在使用`Dictionary`时,我们需要确保键的唯一性。尝试添加键值对之前,通常需要检查键是否已存在于字典中。如果不检查,当键重复时,`Add()`方法会抛出`ArgumentException`异常。在提供的代码中,通过`ContainsKey`方法来避免这个异常。不过,可以创建一个扩展方法简化这个过程: ```csharp public static class DictionaryExtensions { public static void AddOrUpdate<TKey, TValue>(this Dictionary<TKey, TValue> dict, TKey key, TValue value) { if (dict.ContainsKey(key)) dict[key] = value; else dict.Add(key, value); } } ``` 然后,可以直接使用`AddOrUpdate`方法来添加或更新键值对,无需每次都检查键的存在。 2、Dictionary的Value为一个数组: 在某些情况下,`Dictionary`的值可能需要是一个数组或其他集合类型。例如,可以使用`List<T>`作为`Dictionary`的值,如下所示: ```csharp Dictionary<string, List<int>> citiesPopulations = new Dictionary<string, List<int>>(); citiesPopulations.Add("City1", new List<int> { 1000000 }); citiesPopulations["City2"] = new List<int> { 2000000, 3000000 }; ``` 3、Dictionary的Value为一个类: 如果`Dictionary`的值需要表示复杂数据结构,可以使用自定义类。例如,有一个`Student`类: ```csharp public class Student { public string Name { get; set; } public int Age { get; set; } // 其他属性... } ``` 可以创建一个`Dictionary<string, Student>`来存储学生信息: ```csharp Dictionary<string, Student> students = new Dictionary<string, Student>(); students.Add("123456", new Student { Name = "John Doe", Age = 20 }); ``` 4、Dictionary的扩展方法使用: 在提供的代码中,展示了如何编写一个扩展方法来简化添加键值对的操作。扩展方法可以增加代码的可读性和简洁性,而无需在每次添加键值对时都检查键是否存在。 5、遍历Dictionary: - 遍历键:使用`foreach`循环遍历`Keys`集合。 - 遍历值:使用`foreach`循环遍历`Values`集合。 - 遍历键值对:使用`foreach`循环遍历`Dictionary`本身,这将返回`KeyValuePair<TKey, TValue>`对象,包含键和值。 ```csharp foreach (var key in pList.Keys) { Console.WriteLine("Key: {0}", key); } foreach (var value in pList.Values) { Console.WriteLine("Value: {0}", value); } foreach (var kvp in pList) { Console.WriteLine("Key: {0}, Value: {1}", kvp.Key, kvp.Value); } ``` `Dictionary<TKey, TValue>`在C#中提供了强大的键值对管理功能,通过扩展方法可以进一步优化其使用体验。在实际开发中,根据需求选择合适的数据结构和操作方法,能够提高代码效率和可维护性。