我正在使用字典为正在处理的程序执行查找。我在字典中运行了一堆键,并且我期望某些键没有值。我抓住KeyNotFoundException
它发生的地方,并吸收它。所有其他异常将传播到顶部。这是处理此问题的最佳方法吗?还是应该使用其他查询?字典使用int作为其键,并使用自定义类作为其值。
我正在使用字典为正在处理的程序执行查找。我在字典中运行了一堆键,并且我期望某些键没有值。我抓住KeyNotFoundException
它发生的地方,并吸收它。所有其他异常将传播到顶部。这是处理此问题的最佳方法吗?还是应该使用其他查询?字典使用int作为其键,并使用自定义类作为其值。
Answers:
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);
}
string value
作为TryGetValue的一部分:if (dictionary.TryGetValue(key, out string value))
一线解决方案使用 TryGetValue
string value = dictionary.TryGetValue(key, out value) ? value : "No key!";
要知道,值变量的类型必须是在这种情况下字典,则返回字符串。在这里,您不能使用var进行变量声明。
如果您正在使用C#7,在这种情况下,你的CAN包括var和内联定义它:
string value = dictionary.TryGetValue(key, out var tmp) ? tmp : "No key!";
这也是一个不错的扩展方法,它将完全实现您想要实现dict.GetOrDefault(“ Key”)或dict.GetOrDefault(“ Key”,“ No value”)的目的
public static TValue GetOrDefault<TKey, TValue>(this Dictionary<TKey, TValue> dictionary, TKey key, TValue defaultValue = default(TValue))
{
if (dictionary != null && dictionary.ContainsKey(key))
{
return dictionary[key];
}
return defaultValue;
}
这是一个单行解决方案(请记住,这会使查询两次。请参阅下面的tryGetValue版本,该版本应在长时间运行的循环中使用。)
string value = dictionary.ContainsKey(key) ? dictionary[key] : "default";
但是,我发现自己每次访问字典时都必须这样做。我希望它返回null,所以我可以这样写:
string value = dictionary[key] ?? "default";//this doesn't work
dictionary.ContainsKey
,另一个查询dictionary[key]
。使用@JernejNovak的答案可获得更好的性能。
string value = dictionary.ContainsKey(key) ? dictionary[key] : "default";
string value = dictionary.TryGetValue(key, out value) ? value : "No key!";
我知道这是一个旧线程,但是如果有帮助的话,先前的回答会很好,但是可以解决复杂性的注释和乱扔代码的问题(对我来说都是有效的)。
我使用自定义扩展方法以更优雅的形式包装了上述答案的复杂性,以使它不会在整个代码中乱七八糟,从而为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";