C# 反射

C# 中的反射(Reflection) 是 .NET 提供的一种强大机制,允许程序在运行时检查、分析和操作类型(类、结构、接口、方法、属性等)的元数据,并动态创建对象、调用方法、访问字段或属性。它主要通过 System.Reflection 命名空间中的类实现。


一、反射的核心用途

  1. 动态加载程序集(Assembly)
  2. 获取类型信息(Type)
  3. 创建对象实例(Activator / ConstructorInfo)
  4. 调用方法(MethodInfo.Invoke)
  5. 读写属性或字段(PropertyInfo / FieldInfo)
  6. 检查特性(Attribute)
  7. 实现插件系统、ORM、序列化框架等

二、基础使用步骤

1. 获取 Type 对象

csharp 复制代码
// 方法1:通过 typeof
Type type1 = typeof(string);

// 方法2:通过对象的 GetType()
string str = "hello";
Type type2 = str.GetType();

// 方法3:通过类型全名从 Assembly 加载
Type type3 = Type.GetType("System.String");

// 方法4:从程序集加载
Assembly assembly = Assembly.LoadFrom("MyLibrary.dll");
Type type4 = assembly.GetType("MyNamespace.MyClass");

注意:Type.GetType("...") 只能加载当前应用域中已加载或 mscorlib/System 中的类型,跨程序集需指定完整名称(含 Assembly 信息)。


2. 创建对象实例

使用 Activator.CreateInstance
csharp 复制代码
Type type = typeof(Person);
object obj = Activator.CreateInstance(type); // 调用无参构造函数

// 带参数构造
object obj2 = Activator.CreateInstance(type, "Alice", 30);
使用 ConstructorInfo
csharp 复制代码
ConstructorInfo ctor = type.GetConstructor(new Type[] { typeof(string), typeof(int) });
object instance = ctor.Invoke(new object[] { "Bob", 25 });

3. 调用方法

csharp 复制代码
Type type = typeof(Calculator);
object calc = Activator.CreateInstance(type);

// 获取方法
MethodInfo method = type.GetMethod("Add");
// 调用实例方法
int result = (int)method.Invoke(calc, new object[] { 10, 20 });

// 调用静态方法
MethodInfo staticMethod = type.GetMethod("Multiply");
int staticResult = (int)staticMethod.Invoke(null, new object[] { 5, 6 });

如果方法是泛型,需先调用 MakeGenericMethod()


4. 访问属性(Property)

csharp 复制代码
Type type = typeof(Person);
object person = Activator.CreateInstance(type);

// 设置属性
PropertyInfo nameProp = type.GetProperty("Name");
nameProp.SetValue(person, "Charlie");

// 获取属性值
string name = (string)nameProp.GetValue(person);

5. 访问字段(Field)

csharp 复制代码
FieldInfo field = type.GetField("_age", BindingFlags.NonPublic | BindingFlags.Instance);
field.SetValue(person, 28);
int age = (int)field.GetValue(person);

注意:私有成员需要 BindingFlags.NonPublic


6. 获取所有成员

csharp 复制代码
Type type = typeof(MyClass);

// 所有公共方法
MethodInfo[] methods = type.GetMethods();

// 所有公共属性
PropertyInfo[] props = type.GetProperties();

// 所有字段(包括私有)
FieldInfo[] fields = type.GetFields(BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance);

// 所有构造函数
ConstructorInfo[] ctors = type.GetConstructors();

7. 检查和读取特性(Attribute)

csharp 复制代码
[DisplayName("用户实体")]
public class User { }

// 检查是否有某个 Attribute
bool hasAttr = type.IsDefined(typeof(DisplayNameAttribute), false);

// 获取 Attribute 实例
var attr = (DisplayNameAttribute)type.GetCustomAttribute(typeof(DisplayNameAttribute));
Console.WriteLine(attr.DisplayName); // 输出:"用户实体"

三、常用 BindingFlags 枚举值

标志 说明
Public 公共成员(默认)
NonPublic 私有/受保护成员
Instance 实例成员
Static 静态成员
DeclaredOnly 仅当前类型声明的成员(不包括继承)

示例:

csharp 复制代码
type.GetMethod("PrivateMethod", BindingFlags.NonPublic | BindingFlags.Instance);

四、性能注意事项

  • 反射比直接调用慢很多(可能慢 10~100 倍),因为涉及类型查找、安全检查、装箱/拆箱等。
  • 避免在高频循环中使用反射
  • 可缓存 MethodInfo / PropertyInfo 等以提升性能。
  • 考虑使用委托(如 Delegate.CreateDelegate)或表达式树(Expression)优化
  • .NET Core / .NET 5+ 引入了 System.Reflection.Emitsource generator 等更高效替代方案。

五、实际应用场景举例

1. 通用对象拷贝器

csharp 复制代码
public static void CopyProperties(object source, object target)
{
    var sourceType = source.GetType();
    var targetType = target.GetType();
    
    foreach (var prop in sourceType.GetProperties())
    {
        var targetProp = targetType.GetProperty(prop.Name);
        if (targetProp != null && targetProp.CanWrite)
        {
            targetProp.SetValue(target, prop.GetValue(source));
        }
    }
}

2. 插件系统

csharp 复制代码
Assembly plugin = Assembly.LoadFrom("Plugin.dll");
Type pluginType = plugin.GetTypes().FirstOrDefault(t => typeof(IPlugin).IsAssignableFrom(t));
IPlugin instance = (IPlugin)Activator.CreateInstance(pluginType);
instance.Execute();

3. ORM 映射(如将 DataTable 转为对象)

csharp 复制代码
public static T ToObject<T>(DataRow row) where T : new()
{
    T obj = new T();
    Type type = typeof(T);
    foreach (DataColumn col in row.Table.Columns)
    {
        PropertyInfo prop = type.GetProperty(col.ColumnName);
        if (prop != null && row[col] != DBNull.Value)
            prop.SetValue(obj, row[col]);
    }
    return obj;
}

六、总结

优点 缺点
高度灵活,支持运行时动态行为 性能开销大
实现通用框架(如 DI、AOP、序列化) 代码可读性降低
支持插件、脚本扩展 容易引发运行时异常(如拼写错误)
可用于调试、测试工具 不支持 AOT 编译(如 Native AOT)的部分场景

建议 :仅在必要时使用反射,并做好异常处理(如 NullReferenceExceptionTargetExceptionMissingMethodException 等)。


相关推荐
智者知已应修善业10 小时前
【51单片机独立按键控制数码管移动反向,2片74CH573/74CH273段和位,按键按下保持原状态】2023-3-25
经验分享·笔记·单片机·嵌入式硬件·算法·51单片机
khddvbe10 小时前
C++并发编程中的死锁避免
开发语言·c++·算法
C羊驼10 小时前
C语言:两天打鱼,三天晒网
c语言·经验分享·笔记·算法·青少年编程
daidaidaiyu11 小时前
Spring IOC 源码学习 声明式事务的入口点
java·spring
菜菜小狗的学习笔记11 小时前
剑指Offer算法题(四)链表
数据结构·算法·链表
myloveasuka11 小时前
[Java]查找算法&排序算法
java·算法·排序算法
清水白石00811 小时前
Free-Threaded Python 实战指南:机遇、风险与 PoC 验证方案
java·python·算法
We་ct11 小时前
LeetCode 148. 排序链表:归并排序详解
前端·数据结构·算法·leetcode·链表·typescript·排序算法
发际线还在11 小时前
互联网大厂Java三轮面试全流程实战问答与解析
java·数据库·分布式·面试·并发·系统设计·大厂
_周游12 小时前
Kaptcha—Google验证码工具
java·intellij-idea·jquery