为了简化使用特定类型的字典,我从通用Dictionary <>派生了一个类来处理从公共基类派生的各种元素:
//my base class holding a value
public abstract class A{ public int aValue; }
//derived classes that actually are stuffed into the dictionary
public class B : A {...}
public class C : A {...}
//wrapper class for dictionary
public class MyDict : Dictionary<string, A>;
//my class using the dictionary
public class MyClass {
public MyDict dict = new MyDict();//use an instance of MyDict
public MyClass() { ... //fill dict with instances of B and C }
//function to return all elements of dict having a given value
public MyDict GetSubSet(int testVal) {
var ret = dict.Where(e => e.Value.aValue == testVal).
ToDictionary(k => k.Key, k => k.Value);
return (MyDict) ret; // <- here I get a runtime InvalidCastException
}
}
在将通用词典包装在MyDict类中之前,转换成功(如果我用MyDict
替换Dictionary<string,int>
的所有实例,代码工作正常,即使没有在return语句中强制转换)。
我也尝试使用return ret as MyDict;
来转换结果但是会返回一个空值。像这样通过object
进行投射:return (MyDict) (object) ret;
也因InvalidCastException而失败。
任何人都知道如何正确转换/转换返回值?
你得到一个无效的强制转换异常,因为ToDictionary
的结果不是MyDict
。为了解决这个问题,添加一个构造函数到MyDict
,它接受一个IDictionary<string,A>
,并从GetSubSet
方法返回调用该构造函数的结果:
public class MyDict : Dictionary<string, A> {
public MyDict() {
// Perform the default initialization here
...
}
public MyDict(IDictionary<string,A> dict): base(dict) {
// Initialize with data from the dict if necessary
...
}
}
...
public MyDict GetSubSet(int testVal) {
var ret = dict.Where(e => e.Value.aValue == testVal).
ToDictionary(k => k.Key, k => k.Value);
return new MyDict(ret);
}