如何获取引用类型基类类型
本文关键字:引用类型 基类 类型 获取 何获取 | 更新日期: 2023-09-27 18:30:34
所以我正在尝试弄清楚如何获取引用的程序集基类类型。例如,我有以下内容:
解决方案 A{
..项目 A
....W类
......GetAllClassesSubclassOfClassX() { return constructor if match
}--项目B
----抽象类 X
------抽象方法A()
..项目 C
....类 Y : X
......覆盖方法A()
--项目D
----类 z : x
------覆盖方法A()
所以我当前的代码拉回了引用,但我不确定如何查看它们是否是特定类类型的子类。
public List<AbstractCWThirdPartyConsumer> GetAllProviders()
{
AssemblyName[] types = Assembly.GetExecutingAssembly().GetReferencedAssemblies();
List<AbstractCWThirdPartyConsumer> listOfAllProcessors = new List<AbstractCWThirdPartyConsumer>();
foreach (AssemblyName type in types)
{
if (IsSameOrSubclass(listOfAllProcessors.GetType(), type.GetType()))
{
//AbstractCWThirdPartyConsumer proc = (AbstractCWThirdPartyConsumer)type.GetConstructor(Type.EmptyTypes).Invoke(null);
//listOfAllProcessors.Add(proc);
}
}
return listOfAllProcessors;
}
public bool IsSameOrSubclass(Type potentialBase, Type potentialDescendant)
{
return potentialDescendant.IsSubclassOf(potentialBase);
}
}
任何帮助纠正我的问题都会有所帮助!提前谢谢。
为什么不使用Type.IsSubclassOf。
像这样重写你的方法。
public bool IsSameOrSubclass(Type potentialBase, Type potentialDescendant)
{
return potentialDescendant.IsSubclassOf(potentialBase);
}
此外,我确实建议您枚举程序集中所有类型的方法是不正确的,因此这里有一个重写的版本,应该符合您的意图:
using System.Linq;
...
public List<AbstractCWThirdPartyConsumer> GetAllProviders()
{
IEnumerable<Assembly> referencedAssemblies = Assembly.GetExecutingAssembly().GetReferencedAssemblies().Select(Assembly.Load);
List<AbstractCWThirdPartyConsumer> listOfAllProcessors = new List<AbstractCWThirdPartyConsumer>();
foreach (Assembly assembly in referencedAssemblies)
{
foreach(Type type in assembly.ExportedTypes)
{
if (IsSameOrSubclass(typeof(AbstractCWThirdPartyConsumer), type))
{
//AbstractCWThirdPartyConsumer proc = (AbstractCWThirdPartyConsumer)Activator.CreateInstance(type);
//listOfAllProcessors.Add(proc);
}
}
}
return listOfAllProcessors;
}
public bool IsSameOrSubclass(Type potentialBase, Type potentialDescendant)
{
return potentialDescendant.IsSubclassOf(potentialBase);
}
或者,如果您真的想将其压缩到单个 Linq-Method-Chain 中:
public List<AbstractCWThirdPartyConsumer> GetAllProviders()
{
return Assembly.GetExecutingAssembly()
.GetReferencedAssemblies()
.Select(Assembly.Load)
.SelectMany(asm => asm.ExportedTypes)
.Where(exportedType => exportedType.IsSubclassOf(typeof(AbstractCWThirdPartyConsumer)))
.Select(exportedType => (AbstractCWThirdPartyConsumer) Activator.CreateInstance(exportedType))
.ToList();
}