null
在某些特定情况下,当字典中没有这样的键时,使用一种简短易读的方式来获取而不是KeyNotFoundException
通过键访问字典值时对我来说似乎很有用。
我首先想到的是一个扩展方法:
public static U GetValueByKeyOrNull<T, U>(this Dictionary<T, U> dict, T key)
where U : class //it's acceptable for me to have this constraint
{
if (dict.ContainsKey(key))
return dict[key];
else
//it could be default(U) to use without U class constraint
//however, I didn't need this.
return null;
}
但实际上并不是很简短,当你写这样的东西时:
string.Format("{0}:{1};{2}:{3}",
dict.GetValueByKeyOrNull("key1"),
dict.GetValueByKeyOrNull("key2"),
dict.GetValueByKeyOrNull("key3"),
dict.GetValueByKeyOrNull("key4"));
我会说,最好有一些接近基本语法的东西:dict["key4"]
.
然后我想出了一个想法,创建一个带有private
字典字段的类,它暴露了我需要的功能:
public class MyDictionary<T, U> //here I may add any of interfaces, implemented
//by dictionary itself to get an opportunity to,
//say, use foreach, etc. and implement them
// using the dictionary field.
where U : class
{
private Dictionary<T, U> dict;
public MyDictionary()
{
dict = new Dictionary<T, U>();
}
public U this[T key]
{
get
{
if (dict.ContainsKey(key))
return dict[key];
else
return null;
}
set
{
dict[key] = value;
}
}
}
但是,基本行为的细微变化似乎有点开销。
另一种解决方法可能是Func
在当前上下文中定义 a ,如下所示:
Func<string, string> GetDictValueByKeyOrNull = (key) =>
{
if (dict.ContainsKey(key))
return dict[key];
else
return null;
};
所以它可以像GetDictValueByKeyOrNull("key1")
.
请你给我更多的建议或帮助我选择一个更好的吗?