我正在为 Silverlight 创建一个可重用的库。该库包含一个内部泛型类型,我需要创建这个泛型类型的一个新实例,但是我有一次没有可用的泛型类型参数,只有一个System.Type
表示泛型参数的对象。我尝试使用反射创建一个实例,但这失败了,因为这个类是内部的,并且 Silverlight 在部分信任下有效地运行。
这是我到目前为止所尝试的:
private INonGenericInterface CreateInstance(Type type)
{
// Activator.CreateInstance fails
var instance = Activator.CreateInstance(
typeof(InternalGenericType<>).MakeGenericType(type));
// Invoking the default constructor of that type fails.
var producer = typeof(InternalGenericType<>)
.MakeGenericType(type)
.GetConstructor(new Type[0])
.Invoke(null);
return (INonGenericInterface)producer;
}
这是我的内在类型。没有什么花哨:
internal class InternalGenericType<T> : INonGenericInterface
where T : class
{
public InternalGenericType()
{
}
}
我什至尝试滥用Nullable<T>
结构作为工厂来创建可以生成我的内部类型的工厂。但是,默认Nullable<T>
会转换为空引用:
internal static class InternalGenericTypeFactory
{
public static INonGenericInterface Create(Type serviceType)
{
var nullType = typeof(Nullable<>).MakeGenericType(
typeof(Factory<>).MakeGenericType(serviceType));
// Activator succesfully creates the instance, but .NET
// automatically converts default Nullable<T>s to null.
object nullInstance = Activator.CreateInstance(nullType);
var getValueMethod =
nullType.GetMethod("GetValueOrDefault", new Type[0]);
// Invoke fails, because nullInstance is a null ref.
var factory = getValueMethod.Invoke(nullInstance, null);
return ((IFactory)factory).CreateInstance();
}
internal interface IFactory
{
INonGenericInterface CreateInstance();
}
internal struct Factory<T> : IFactory where T : class
{
public INonGenericInterface CreateInstance()
{
return new InternalGenericType<T>();
}
}
}
可以想象,我不想公开这种类型,因为它会污染我的 API。我目前没有想法。我有哪些选择?我可以做些什么来创建这种内部类型?