C# 反射(Reflection)
反射指程序可以访问、检测和修改它本身状态或行为的一种能力。
程序集包含模块,而模块包含类型,类型又包含成员。反射则提供了封装程序集、模块和类型的对象。
您可以使用反射动态地创建类型的实例,将类型绑定到现有对象,或从现有对象中获取类型。然后,可以调用类型的方法或访问其字段和属性。
优缺点
优点:
1、反射提高了程序的灵活性和扩展性。
2、降低耦合性,提高自适应能力。
3、它允许程序创建和控制任何类的对象,无需提前硬编码目标类。
缺点:
1、性能问题:使用反射基本上是一种解释操作,用于字段和方法接入时要远慢于直接代码。因此反射机制主要应用在对灵活性和拓展性要求很高的系统框架上,普通程序不建议使用。
2、使用反射会模糊程序内部逻辑;程序员希望在源代码中看到程序的逻辑,反射却绕过了源代码的技术,因而会带来维护的问题,反射代码比相应的直接代码更复杂。
项目中用到 做个笔记。
public static Type GetType(string TypeName)
{
// Try Type.GetType() first. This will work with types defined
// by the Mono runtime, in the same assembly as the caller, etc.
var type = Type.GetType(TypeName);
// If it worked, then we're done here
if (type != null)
return type;
// If the TypeName is a full name, then we can try loading the defining assembly directly
if (TypeName.Contains("."))
{
// Get the name of the assembly (Assumption is that we are using
// fully-qualified type names)
var assemblyName = TypeName.Substring(0, TypeName.IndexOf('.'));
// Attempt to load the indicated Assembly
var assembly = Assembly.Load(assemblyName);
if (assembly == null)
return null;
// Ask that assembly to return the proper Type
type = assembly.GetType(TypeName);
if (type != null)
return type;
}
// If we still haven't found the proper type, we can enumerate all of the
// loaded assemblies and see if any of them define the type
//获取包含调用当前所执行代码的方法的程序集
var currentAssembly = Assembly.GetExecutingAssembly();
var referencedAssemblies = currentAssembly.GetReferencedAssemblies();
foreach (var assemblyName in referencedAssemblies)
{
// Load the referenced assembly
var assembly = Assembly.Load(assemblyName);
if (assembly != null)
{
// See if that assembly defines the named type
type = assembly.GetType(TypeName);
if (type != null)
return type;
}
}
// The type just couldn't be found...
return null;
}