如何通过索引从C#中的OrderedDictionary获取密钥?

时间:2010-02-09 14:57:48

标签: c# ordereddictionary

如何通过索引从OrderedDictionary获取项目的键和值?

3 个答案:

答案 0 :(得分:45)

orderedDictionary.Cast<DictionaryEntry>().ElementAt(index);

答案 1 :(得分:9)

没有直接的内置方法可以做到这一点。这是因为对于OrderedDictionary索引键;如果你想要实际的密钥,那么你需要自己跟踪它。可能最直接的方法是将密钥复制到可索引集合中:

// dict is OrderedDictionary
object[] keys = new object[dict.Keys.Count];
dict.Keys.CopyTo(keys, 0);
for(int i = 0; i < dict.Keys.Count; i++) {
    Console.WriteLine(
        "Index = {0}, Key = {1}, Value = {2}",
        i,
        keys[i],
        dict[i]
    );
}

您可以将此行为封装到一个新的类中,该类包含对OrderedDictionary

的访问权限

答案 2 :(得分:1)

我创建了一些扩展方法,它们通过索引获取密钥,使用前面提到的代码按键获取值。

public static T GetKey<T>(this OrderedDictionary dictionary, int index)
{
    if (dictionary == null)
    {
        return default(T);
    }

    try
    {
        return (T)dictionary.Cast<DictionaryEntry>().ElementAt(index).Key;
    }
    catch (Exception)
    {
        return default(T);
    }
}

public static U GetValue<T, U>(this OrderedDictionary dictionary, T key)
{
    if (dictionary == null)
    {
        return default(U);
    }

    try
    {
        return (U)dictionary.Cast<DictionaryEntry>().AsQueryable().Single(kvp => ((T)kvp.Key).Equals(key)).Value;
    }
    catch (Exception)
    {
        return default(U);
    }
}