定义新的字典成员方法 C#

Defining new Dictionary members methods C#

我想为 Dictionary 定义一个新的成员方法,因为它已经内置在成员方法中,例如Add()Clear()ContainsKey()

新添加的成员方法应该return所有键值对以Set的形式,我们可以return map.entrySet()到Java.

是否可以覆盖现有的字典方法来实现此目的?

我知道这不是一个集合,但是通过使用 Linq,您可以获得键值对列表,如下所示:

Dictionary<string, string> dictionary = new Dictionary<string, string>();
List<KeyValuePair<string, string>> keyValuePairs = dictionary.ToList();

您可以创建一个扩展方法:

using System;
using System.Collections.Generic;
using System.Linq;

public static class DictionaryExtensions {
    public static HashSet<KeyValuePair<TKey, TValue>> ToSet<TKey, TValue>(this Dictionary<TKey, TValue> dict) {
        return new HashSet<KeyValuePair<TKey, TValue>>(dict.ToList());
    }
} 

关于扩展方法的信息:https://msdn.microsoft.com/en-us/library/bb383977(v=vs.110).aspx

为了以防万一,您可以像这样访问字典的键值对:

// Example dictionary
var dic = new Dictionary<int, string>{{1, "a"}};

foreach (var item in dic)
{
    Console.WriteLine(string.Format("key : {0}, Value : {1}", item.Key, item.Value));
}