处理KeyNotFoundException的最佳方法

时间:2009-03-03 14:41:38

标签: c# exception keynotfoundexception

我正在使用字典对我正在处理的程序执行查找。我在字典中运行了一堆密钥,我希望某些密钥没有值。我抓住KeyNotFoundException发生的地方,然后吸收它。所有其他异常将传播到顶部。这是处理这个问题的最佳方法吗?或者我应该使用不同的查找?该字典使用int作为其键,并使用自定义类作为其值。

6 个答案:

答案 0 :(得分:101)

改为使用Dictionary.TryGetValue

Dictionary<int,string> dictionary = new Dictionary<int,string>();
int key = 0;
dictionary[key] = "Yes";

string value;
if (dictionary.TryGetValue(key, out value))
{
    Console.WriteLine("Fetched value: {0}", value);
}
else
{
    Console.WriteLine("No such key: {0}", key);
}

答案 1 :(得分:32)

尝试使用:     Dict.ContainsKey

编辑:
性能明智我认为Dictionary.TryGetValue比其他一些建议更好但我不喜欢使用Out在我不需要的时候我认为ContainsKey更具可读性但是如果你需要更多的代码需要更多的代码行还

答案 2 :(得分:21)

使用TryGetValue

的一行解决方案
string value = dictionary.TryGetValue(key, out value) ? value : "No key!";

请注意, value 变量必须是字典返回的类型 string 。在这里,您不能使用 var 进行变量声明。

如果您使用的是C#7,那么 CAN 包含var并将其定义为内联:

string value = dictionary.TryGetValue(key, out var tmp) ? tmp : "No key!";

答案 3 :(得分:15)

这是一个单行解决方案(请记住,这会使查找两次。请参阅下面的tryGetValue版本,该版本应该在长时间运行的循环中使用。)

string value = dictionary.ContainsKey(key) ? dictionary[key] : "default";

然而,每当我访问字典时,我发现自己必须这样做。我希望它返回null,所以我可以写:

string value = dictionary[key] ?? "default";//this doesn't work

答案 4 :(得分:5)

您应该使用Dictionary的'ContainsKey(string key)'方法来检查密钥是否存在。 使用例外进行正常的程序流程并不是一种好的做法。

答案 5 :(得分:4)

我知道这是一个旧线程,但是如果有帮助的话,先前的回答很好,但是可以解决复杂性的注释和乱扔代码的问题(对我也都有效)。

我使用自定义扩展方法以更优雅的形式包装上述答案的复杂性,以使它不会在整个代码中乱七八糟,从而为null合并运算符提供了强大的支持。 。 。同时还可以最大限度地提高性能(通过以上答案)。

namespace System.Collections.Generic.CustomExtensions
{
    public static class DictionaryCustomExtensions
    {
        public static TValue GetValueSafely<TKey, TValue>(this IDictionary<TKey, TValue> dictionary, TKey key)
        {
            TValue value = default(TValue);
            dictionary.TryGetValue(key, out value);
            return value;
        }
    }
}

然后,您只需导入名称空间 System.Collections.Generic.CustomExtensions

即可使用它
string value = dictionary.GetValueSafely(key) ?? "default";