Assembly.GetExecutingAssembly()
和 和有什么不一样typeof(program).Assembly
?
4 回答
假设program
在执行程序集中,它们都应该返回相同的值。但是,typeof(program).Assembly
应该有更好Assembly.GetExecutingAssembly()
的性能,因为堆栈遍历。在我机器上的微基准测试中,前者耗时约 20ns,而后者在约 600ns 时慢了 30 倍。
如果您控制所有代码,我认为您应该始终使用typeof(program).Assembly
. 如果您提供了其他人可以构建到他们的程序集中的源代码,您将需要使用Assembly.GetExecutingAssembly()
.
调用Assembly.GetExecutingAssembly()
将返回包含正在调用的方法的程序集Assembly.GetExecutingAssembly()
。
例如,调用typeof(string).Assembly
将返回mscorlib.dll,因为它包含 type String
。另一方面,如果您有一个名为MyProject的项目,并且在该项目中的某个位置调用Assembly.GetExecutingAssembly()
它,它将返回代表MyProject.dll的 Assembly 实例
希望这可以澄清。
Assembly.GetExecutingAssembly():
获取包含当前正在执行的代码的程序集。以下示例获取当前运行代码的程序集。
Assembly SampleAssembly;
// Instantiate a target object.
Int32 Integer1 = new Int32();
Type Type1;
// Set the Type instance to the target class type.
Type1 = Integer1.GetType();
// Instantiate an Assembly class to the assembly housing the Integer type.
SampleAssembly = Assembly.GetAssembly(Integer1.GetType());
// Display the name of the assembly currently executing
Console.WriteLine("GetExecutingAssembly=" + Assembly.GetExecutingAssembly().FullName);
typeOf():
主要用于反射。
typeof 运算符用于获取类型的 System.Type 对象。typeof 表达式采用以下形式: 要获取表达式的运行时类型,可以使用 .NET Framework 方法 GetType。
Example
// cs_operator_typeof.cs
// Using typeof operator
using System;
using System.Reflection;
public class MyClass
{
public int intI;
public void MyMeth()
{
}
public static void Main()
{
Type t = typeof(MyClass);
// alternatively, you could use
// MyClass t1 = new MyClass();
// Type t = t1.GetType();
MethodInfo[] x = t.GetMethods();
foreach (MethodInfo xtemp in x)
{
Console.WriteLine(xtemp.ToString());
}
Console.WriteLine();
MemberInfo[] x2 = t.GetMembers();
foreach (MemberInfo xtemp2 in x2)
{
Console.WriteLine(xtemp2.ToString());
}
}
}
输出
Int32 GetHashCode()
Boolean Equals(System.Object)
System.String ToString()
Void MyMeth()
Void Main()
System.Type GetType()
Int32 intI
Int32 GetHashCode()
Boolean Equals(System.Object)
System.String ToString()
Void MyMeth()
Void Main()
System.Type GetType()
Void .ctor()
以下代码解释了差异。
//string class is defined by .NET framework
var a = Assembly.GetAssembly(typeof(string));
//a = FullName = "mscorlib, Version=4.0.0.0,
Culture=neutral, PublicKeyToken=b77a5c561934e089"
由于字符串是在 mscorlib 程序集中定义的,因此返回其全名。所以程序集名称将在定义类型的地方返回。如果我通过我正在执行此代码的课程,
//Program is the class where this code is being executed
var aa = Assembly.GetAssembly(typeof(Program));
//aa = FullName = "Obj_2_5_Using_Reflection,
Version=1.0.0.0, Culture=neutral, PublicKeyToken=null"
var b = Assembly.GetExecutingAssembly();
//b = FullName = "Obj_2_5_Using_Reflection,
Version=1.0.0.0, Culture=neutral, PublicKeyToken=null"