知道DLL中存在哪些类和方法的不同方法是什么?
本文关键字:方法 是什么 DLL 存在 知道 | 更新日期: 2023-09-27 17:52:45
我参加了一次面试,面试官问了我以下问题。
How to know what classes and methods are present in DLL ?
我很困惑,说:"我们可以使用工具或重构它。"
谁能解释一下different ways
从DLL (from code as well as from tools
)中找到一切
我怀疑面试官指的是反思。例如:
var assembly = ...; // e.g. typeof(SomeType).Assembly
var types = assembly.GetTypes();
var methods = types.SelectMany(type => type.GetMethods());
// etc
例如,您需要使用Type.IsClass
过滤类型以获得类。当使用反射来查询类型或程序集的特定部分时,LINQ非常有用。注意,上面的无参数GetMethods()
调用将只返回公共方法;您也可以指定BindingFlags
值来检索非公共方法。
通过文件的完整路径从程序集获取类型:
public IEnumerable<Type> GetAllTypesInDll(string filename)
{
// load assembly from file
Assembly asm = Assembly.LoadFile(filename);
// enumerate all types
return asm.GetTypes();
}
用法:
foreach (Type type in from e in GetAllTypesInDll(Path.Combine(AppDomain.CurrentDomain.BaseDirectory, "Console.exe"))
orderby e.FullName
select e)
{
// print type
Console.WriteLine("----------------");
Console.WriteLine(type.FullName);
// print type methods
Console.WriteLine("Methods:");
foreach (var mi in from e in type.GetMethods()
orderby e.Name
select e)
{
Console.WriteLine(" " + mi.Name);
}
Console.WriteLine("----------------");
}
结果:----------------
<>f__AnonymousType0`7
Methods:
Equals
get_DisplayName
get_EMail
get_Groups
get_Login
get_Name
get_Patronymic
get_Surname
GetHashCode
GetType
ToString
----------------
----------------
ARMUpdateService.ARMGetAllVersionsRequest
Methods:
Equals
GetHashCode
GetType
ToString
----------------
----------------
ARMUpdateService.ARMGetAllVersionsResponse
Methods:
Equals
GetHashCode
GetType
ToString
----------------
----------------
ARMUpdateService.ARMGetCurrentVersionRequest
Methods:
Equals
GetHashCode
GetType
ToString
----------------
----------------
ARMUpdateService.ARMGetCurrentVersionResponse
Methods:
Equals
GetHashCode
GetType
ToString
----------------
----------------
ARMUpdateService.ARMGetDataRequest
Methods:
Equals
GetHashCode
GetType
ToString
----------------
----------------
ARMUpdateService.ARMGetDataResponse
Methods:
Equals
GetHashCode
GetType
ToString
----------------
etc...
除此之外,您还可以使用Reflector、dotPeek或ILDASM等工具来查看程序集的内容。