我有一个对象instance
instance.GetType().GetGenericTypeDefinition() == typeof(Dictionary<,>)
是真的。我的问题是,如何在不真正了解其泛型类型的情况下从该对象中提取键值对?我希望得到像KeyValuePair<object, object>[]
这样的东西。请注意,我也知道字典在运行时使用的泛型类型(但不是编译时)。我认为需要某种反思?
后续行动:是否有将object
转换为SomeClass<>
的一般机制(当然我知道这是正确的类型)并因此使用它鉴于该类的实现不受泛型参数类型的影响?
答案 0 :(得分:4)
我会做Jeremy Todd说的话,除了可能会更短一些:
foreach(var item in (dynamic)instance)
{
object key = item.Key;
object val = item.Value;
}
作为附注(不确定是否有用),您可以获得这样的参数类型:
Type[] genericArguments = instance.GetType().GetGenericArguments();
答案 1 :(得分:3)
要获得快速解决方案,您可以使用dynamic
:
Dictionary<string, int> myDictionary = new Dictionary<string, int>();
myDictionary.Add("First", 1);
myDictionary.Add("Second", 2);
myDictionary.Add("Third", 3);
dynamic dynamicDictionary = myDictionary;
foreach (var entry in dynamicDictionary)
{
object key = entry.Key;
object val = entry.Value;
...whatever...
}
答案 2 :(得分:1)
这就是我想出来帮助我的原因。它符合我当时的需求......也许它会帮助其他人。
foreach (var unknown in (dynamic)savedState)
{
object dKey = unknown.Key;
object dValue = unknown.Value;
switch (dKey.GetType().ToString())
{
case "System.String":
//Save the key
sKey = (string)dKey;
switch (dValue.GetType().ToString())
{
case "System.String":
//Save the string value
sValue = (string)dValue;
break;
case "System.Int32":
//Save the int value
sValue = ((int)dValue).ToString();
break;
}
break;
}
//Show the keypair to the global dictionary
MessageBox.Show("Key:" + sKey + " Value:" + sValue);
}