9

我正在使用反射创建泛型类型的实例:

public interface IModelBuilder<TModel>
{
    TModel BuildModel();
}

public class MyModel
{
    public string Name { get; set; }
}

public class MyModelBuilder : IModelBuilder<MyModel>
{
    public MyModel BuildModel()
    {
        throw new NotImplementedException();
    }
}

在运行时,我们只知道模型的类型,例如MyModel。我可以像这样找到相关模型构建器的实例:

var modelBuilders = from t in Assembly.GetExecutingAssembly().GetTypes()
                from i in t.GetInterfaces()
                where i.IsGenericType
                        && i.GetGenericTypeDefinition() == typeof(IModelBuilder<>)
                        && i.GetGenericArguments()[0] == modelType
                select t;

var builder = Activator.CreateInstance(modelBuilders.First());

但我不确定我如何才能转换实例,IModelBuilder<TModel>以便我可以调用并使用BuildModel().

4

1 回答 1

20

由于modelType只是一个Type实例,因此您无法自动执行此操作,因为没有可用的非通用 API。各种选项:

1:使用反射,例如(未经测试)

object builder = Activator.CreateInstance(...);
var model=builder.GetType().GetMethod("BuildModel").Invoke(builder,null);

2:欺骗dynamic

dynamic builder = Activator.CreateInstance(...);
var model = builder.BuildModel();

3:制作一个非通用版本IModelBuilder,并使用它

请注意,1 和 2 依赖于接口的公共实现,并且对于(完全合法的)显式接口实现将失败。对于“1”,您可以通过以下方式解决此问题:

var model = typeof(IModelBuilder<>).MakeGenericType(modelType)
       .GetMethod("BuildModel").Invoke(builder);

最后一个偷偷摸摸的选择是从非泛型方法转换为泛型方法,因此在泛型方法中您可以直接使用所有成员。有一种懒惰的方法可以通过dynamic

interface ISneaky<T>
{
    T Foo { get; }
}
class Sneaky<T> : ISneaky<T>
{
    T ISneaky<T>.Foo { get { return default(T); } }
}
class Program
{
    static void Main()
    {
        Execute(typeof(int));
    }
    static void Execute(Type t)
    {
        dynamic obj = Activator.CreateInstance(
            typeof(Sneaky<>).MakeGenericType(t));
        // crafy hack to flip from non-generic code into generic code:
        Evil(obj);
    }
    static void Evil<T>(ISneaky<T> sneaky)
    {   // in here, life is simple; no more reflection
        Console.WriteLine("{0}: {1}", typeof(T).Name, sneaky.Foo);
    }
}
于 2012-06-27T12:07:10.480 回答