C# 动态获取属性值
如何利用反射实现对类属性的动态操作?
首先,自定义一个类:
/// <summary>
/// 自定义类
/// </summary>
public class MyClass
{
public string Name { get; set; }
public string Age{ get; set; }
}
1.1 动态获取
/// <summary>
/// 获取属性值
/// </summary>
/// <returns></returns>
public static string GetMyClassVal(string propertyKey)
{
MyClass entity = new MyClass();
//获取类型
Type type = entity.GetType();
//获取属性
System.Reflection.PropertyInfo propertyInfo = type.GetProperty(propertyKey);
//获取属性值
string val = (string)propertyInfo.GetValue(entity, null);
return val;
}
1.2 动态赋值
/// <summary>
/// 设置属性值
/// </summary>
/// <returns></returns>
public static string SetMyClassVal(string propertyKey, string val)
{
MyClass entity = new MyClass();
//获取类型
Type type = entity.GetType();
//获取属性
System.Reflection.PropertyInfo propertyInfo = type.GetProperty(propertyKey);
//设置属性值
propertyInfo.SetValue(entity, val, null);
string newVal = (string)propertyInfo.GetValue(entity, null);
return newVal;
}
1.3 动态存取Plus版
通过上面两节,我们实现了对属性的动态获取/赋值。
接下来,有意思的来了:假设代码中存在多个类型,比如MyClass
、MyClassExtend
、MyClassPlus
,都要进行动态存取。
为了更好偷懒,该怎么写呢?
话不多说,coding——
/// <summary>
/// 新类
/// </summary>
public class MyClassExtend
{
public string Address { get; set; }
}
public class MyClassPlus
{
public string HelloWorld { get; set; }
}
/// <summary>
/// 获取属性值
/// </summary>
/// <typeparam name="T"></typeparam>
/// <param name="myClass"></param>
/// <param name="propertyKey"></param>
/// <returns></returns>
public static string GetClassVal<T>(T myClass, string propertyKey)
{
Type type = myClass.GetType();
System.Reflection.PropertyInfo propertyInfo = type.GetProperty(propertyKey);
string val = (string)propertyInfo.GetValue(myClass, null);
return val;
}
/// <summary>
/// 调用
/// </summary>
public static void Demo()
{
var nameVal = GetClassVal(new MyClass(), "Name");
var adrsVal = GetClassVal(new MyClassExtend(), "Address");
var helloVal = GetClassVal(new MyClassPlus(), "HelloWorld");
}