如果我有一个propertyInfo和带有此扩展变量的对象,我可以调用扩展方法吗?
我有一个分机:
public static string GetTitle(this MyEnum myEnum)
{
switch (myEnum)
{
case MyEnum.One:
return "one";
case MyEnum.Two:
return "two";
default:
return "zero";
}
}
和enum:
public enum MyEnum
{
Zero, One, Two
}
和类
public class MyClass
{
public string A {get;set;}
public MyEnum B {get;set;}
}
当我得到这个类的PropertyInfo时,我需要调用一个扩展。我试着做这个
// .....
foreach(var prop in properties){
var value = prop.GetType().IsEnum ? prop.GetTitle() : prop.GetValue(myObj, null).ToString()
}
// .....
但它不起作用。
我有几个不同的枚举和几个不同的扩展。我尝试获取值,而不考虑类型。
我的大学是对的,问题的代码完全不正确。prop是PropertyInfo对象,然后是
prop.GetType().IsEnum
will总是返回false。
首先,您应该将此支票更改为
prop.GetValue(myObj, null).GetType().IsEnum
然后你可以像简单的静态方法一样调用扩展方法:
YourClassWithExtensionMethod.GetTitle((MyEnum)prop.GetValue(myObj, null))
完整的解决方案将看起来像下一个代码:
foreach(var prop in properties)
{
var value = prop.GetValue(myObj, null).GetType().IsEnum ? YourClassWithExtensionMethod.GetTitle((MyEnum)prop.GetValue(myObj, null)) : prop.GetValue(myObj, null).ToString()
}
但是您应该确保您的属性值实际转换为MyEnum。最后,我们将添加新的检查:
foreach(var prop in properties)
{
var value = prop.GetValue(myObj, null).GetType().IsEnum ? (prop.GetValue(myObj, null) is MyEnum ? YourClassWithExtensionMethod.GetTitle((MyEnum)prop.GetValue(myObj, null)) : ProcessGenericEnum(prop.GetValue(myObj, null)) ) : prop.GetValue(myObj, null).ToString()
}
现在,您几乎不应该优化这行代码。只检索一次值并分离两个条件。
foreach(var prop in properties)
{
var propertyValue = prop.GetValue(myObj, null);
if(propertyValue != null)
{
var value = propertyValue.GetType().IsEnum
? (propertyValue is MyEnum
? YourClassWithExtensionMethod.GetTitle((MyEnum) propertyValue)
: ProcessGenericEnum(propertyValue))
: propertyValue.ToString();
}
}
干得好!