假设我的sln中有三个项目。
(1) xyz.a{Class Lib}{no reference added}
(2) yzx.b{Class Lib}{added the reference of xyz.a}
(3) zxy.c{Console App}{added the reference of xyz.a}
现在,我需要使用反射在xyz.a中创建驻留在yzx.b中的类的实例。
此外,它应独立于文件夹/目录名。
即。即使我更改了yzx.b目录的名称,也应该可以。
有没有人有任何想法?
答案 0 :(得分:10)
首先,Activator.CreateInstance()是正确的方法。
但是,有一种更有趣的方式:
只需创建调用构造函数的表达式:
public static Func<object[], object> CreateConstructorDelegate(ConstructorInfo method)
{
var args = Expression.Parameter(typeof(object[]), "args");
var parameters = new List<Expression>();
var methodParameters = method.GetParameters().ToList();
for (var i = 0; i < methodParameters.Count; i++)
{
parameters.Add(Expression.Convert(
Expression.ArrayIndex(args, Expression.Constant(i)),
methodParameters[i].ParameterType));
}
var call = Expression.Convert(Expression.New(method, parameters), typeof(object));
Expression body = call;
var callExpression = Expression.Lambda<Func<object[], object>>(body, args);
var result = callExpression.Compile();
return result;
}
性能测试:
public void activator()
{
var stopwatch = new Stopwatch();
const int times = 10000000;
stopwatch.Start();
for (int i = 0; i < times; i++)
{
var v = Activator.CreateInstance(typeof (C));
}
stopwatch.Stop();
Console.WriteLine(stopwatch.ElapsedMilliseconds + "ms with activator");
var del = CreateConstructorDelegate(typeof(C).GetConstructor(new Type[0]));
stopwatch = new Stopwatch();
stopwatch.Start();
var args = new object[0];
for (int i = 0; i < times; i++)
{
var v = del(args);
}
stopwatch.Stop();
Console.WriteLine(stopwatch.ElapsedMilliseconds + "ms with expression");
}
输出:
1569ms with activator
134ms with expression
可是:
只是为了好奇。
答案 1 :(得分:6)
您可能想查看Activator.CreateInstance()方法。只需将组件名称传递给它并输入。
如果您没有对程序集的编译时引用,您仍然可以在运行时使用Assembly.Load()引用它。
答案 2 :(得分:1)
您可以使用Activator.CreateInstance轻松创建实例(这也可以对反射信息进行各种缓存以更快地重复调用),或Type.GetConstructor如果您想反映构造函数本身以及直接运行它(通过ConstructorInfo.Invoke)