議会があります。このアセンブリには、クラスとインターフェイスがあります。実行時にこのアセンブリをロードする必要があり、クラスのオブジェクトを作成し、インターフェイスも使用したい。
Assembly MyDALL = Assembly.Load("DALL"); // DALL is name of my dll
Type MyLoadClass = MyDALL.GetType("DALL.LoadClass"); // LoadClass is my class
object obj = Activator.CreateInstance(MyLoadClass);
これは私のコードです。どうすれば改善できますか?
アセンブリがGACまたはビンにある場合は、Assembly.Load()
ではなく、型名の最後にアセンブリ名を使用します。
object obj = Activator.CreateInstance(Type.GetType("DALL.LoadClass, DALL", true));
改善には動的メソッドを使用する必要があります。反射よりも高速です。
以下は、動的メソッドを使用してオブジェクトを作成するためのサンプルコードです。
public class ObjectCreateMethod
{
delegate object MethodInvoker();
MethodInvoker methodHandler = null;
public ObjectCreateMethod(Type type)
{
CreateMethod(type.GetConstructor(Type.EmptyTypes));
}
public ObjectCreateMethod(ConstructorInfo target)
{
CreateMethod(target);
}
void CreateMethod(ConstructorInfo target)
{
DynamicMethod dynamic = new DynamicMethod(string.Empty,
typeof(object),
new Type[0],
target.DeclaringType);
ILGenerator il = dynamic.GetILGenerator();
il.DeclareLocal(target.DeclaringType);
il.Emit(OpCodes.Newobj, target);
il.Emit(OpCodes.Stloc_0);
il.Emit(OpCodes.Ldloc_0);
il.Emit(OpCodes.Ret);
methodHandler = (MethodInvoker)dynamic.CreateDelegate(typeof(MethodInvoker));
}
public object CreateInstance()
{
return methodHandler();
}
}
//Use Above class for Object Creation.
ObjectCreateMethod inv = new ObjectCreateMethod(type); //Specify Type
Object obj= inv.CreateInstance();
このメソッドは、Activatorに必要な時間の1/10しかかかりません。
チェックアウト http://www.ozcandegirmenci.com/post/2008/02/Create-object-instances-Faster-than-Reflection.aspx
チェックアウト http://www.youtube.com/watch?v=x-KK7bmo1AM 彼のコードを変更して複数のアセンブリをロードするには
static Assembly CurrentDomain_AssemblyResolve(object sender, ResolveEventArgs args)
{
string assemblyName = args.Name.Split(',').First();
using (var stream = Assembly.GetExecutingAssembly().GetManifestResourceStream("YourNamespace." + assemblyName + ".dll"))
{
byte[] assemblyData = new byte[stream.Length];
stream.Read(assemblyData, 0, assemblyData.Length);
return Assembly.Load(assemblyData);
}
}
AppDomain.CurrentDomain.AssemblyResolve += CurrentDomain_AssemblyResolve;