답변:
리플렉션을 사용해야합니다
public object GetPropertyValue(object car, string propertyName)
{
return car.GetType().GetProperties()
.Single(pi => pi.Name == propertyName)
.GetValue(car, null);
}
정말 화려하고 싶다면 확장 방법으로 만들 수 있습니다.
public static object GetPropertyValue(this object car, string propertyName)
{
return car.GetType().GetProperties()
.Single(pi => pi.Name == propertyName)
.GetValue(car, null);
}
그리고:
string makeValue = (string)car.GetPropertyValue("Make");
car
당신은 반사를 원한다
Type t = typeof(Car);
PropertyInfo prop = t.GetProperty("Make");
if(null != prop)
return prop.GetValue(this, null);
간단한 샘플 (클라이언트에서 쓰기 리플렉션 하드 코드없이)
class Customer
{
public string CustomerName { get; set; }
public string Address { get; set; }
// approach here
public string GetPropertyValue(string propertyName)
{
try
{
return this.GetType().GetProperty(propertyName).GetValue(this, null) as string;
}
catch { return null; }
}
}
//use sample
static void Main(string[] args)
{
var customer = new Customer { CustomerName = "Harvey Triana", Address = "Something..." };
Console.WriteLine(customer.GetPropertyValue("CustomerName"));
}
또한 다른 사람들 은 다음과 같은 확장 방법을 사용 하여 모든 객체 의 속성 값을 쉽게 얻을 수 있다고 대답 합니다 .
public static class Helper
{
public static object GetPropertyValue(this object T, string PropName)
{
return T.GetType().GetProperty(PropName) == null ? null : T.GetType().GetProperty(PropName).GetValue(T, null);
}
}
사용법은 :
Car foo = new Car();
var balbal = foo.GetPropertyValue("Make");