1

如果我有这两个类:

public class A
{
    public int Id { get; set; }
}

public class B
{
    public string Name { get; set; }
}

我可以使用这样的通用方法:

public void InitMethod(object classProperty)

像这样传入数据:

var a = new A() { Id = 1 };
var b = new B() { Name = "John" };

InitMethod(a.Id);
InitMethod(b.Name);

并从方法中获取以下信息:

  • 类名(例如:“A”、“B”)
  • 属性名称(例如:“Id”、“Name”)
  • 属性值(例如:1,“John”)
4

2 回答 2

2

有点,虽然它可能比它的价值更麻烦。

ASP.Net MVC 经常使用表达式以强类型的方式获取属性信息。表达式不一定会被评估;相反,它被解析为它的元数据。

这不是 MVC 特有的。我提到它是为了引用 Microsoft 框架中的既定模式。

这是一个从表达式中获取属性名称和值的示例:

// the type being evaluated
public class Foo
{
    public string Bar {
        get;
        set;
    }
}

// method in an evaluator class
public TProperty EvaluateProperty<TProperty>( Expression<Func<Foo, TProperty>> expression ) {
    string propertyToGetName = ( (MemberExpression)expression.Body ).Member.Name;

    // do something with the property name

    // and/or evaluate the expression and get the value of the property
    return expression.Compile()( null );
}

你这样称呼它(注意被传递的表达式):

var foo = new Foo { Bar = "baz" };
string val = EvaluateProperty( o => foo.Bar );

foo = new Foo { Bar = "123456" };
val = EvaluateProperty( o => foo.Bar );
于 2013-03-05T19:18:31.063 回答
1

在此示例中,您需要将对象传递给 InitMethod 而不是该对象的属性,也许它会没问题。

class Program
{
    static void Main(string[] args)
    {
        InitMethod(new A() { Id = 100 });
        InitMethod(new B() { Name = "Test Name" });

        Console.ReadLine();
    }

    public static void InitMethod(object obj)
    {
        if (obj != null)
        {
            Console.WriteLine("Class {0}", obj.GetType().Name);
            foreach (var p in obj.GetType().GetProperties())
            {
                Console.WriteLine("Property {0} type {1} value {2}", p.Name, p.GetValue(obj, null).GetType().Name, p.GetValue(obj, null));
            }
        }
    }
}
于 2013-03-05T19:18:59.623 回答