它只適用於連接到託管方法的委託。 如果試圖將Mike的文章用於使用GetDelegateForFunctionPointer附加到非託管dll函數的委託,那麼CreateDelegate技術將返回一個空附件,並因此導致uppon調用崩潰。 在這種情況下,我看到了一種通過使用包裝類繞過投射問題的方法。在抽象類有這個接口:
public abstract class IInvokable
{
public abstract T Call0<T>();
public abstract T Call1<T, T2>(T2 arg);
public abstract T Call2<T, T2, T3>(T2 arg1, T3 arg2);
public abstract void SetDelegate(Delegate thedel);
public abstract Type GetDelegateType();
}
然後組裝您得到您的委託,從已進行修改,從IInvokable類inherting來包裝實際委託。 例如:
class Invokable : IInvokable
{
[UnmanagedFunctionPointer(CallingConvention.Cdecl)]
public delegate int SomeDelegateTypeReturningIntTakingVoid();
public override Type GetDelegateType()
{
return typeof(SomeDelegateTypeReturningIntTakingVoid);
}
public override void SetDelegate(Delegate thedel)
{
mydelegate = (SomeDelegateTypeReturningIntTakingVoid)thedel;
}
public SomeDelegateTypeReturningIntTakingVoidmydelegate;
public override T Call0<T>()
{
return (T)(Object)mydelegate();
}
public override T Call1<T, T2>(T2 arg)
{
throw new ArgumentException("this delegate is a Call0<int>");
}
public override T Call2<T, T2, T3>(T2 arg1, T3 arg2)
{
throw new ArgumentException("this delegate has a Call0<int>");
}
}
在這一點上的類型必須是完全「硬編碼」,意思是不能使用Func鍵,因爲它會阻止使用GetDelegateForFunctionPointer的,因爲該函數的一個愚蠢的限制(不能工作與泛型,因爲MS團隊基本無能,請參閱MSDN論壇的源代碼)。
我解決此解決方案,就是使用:
Type GenerateDynamicType(string sourceCode, string typenameToGet)
{
var cp = new System.CodeDom.Compiler.CompilerParameters
{
GenerateInMemory = true, // you will get a System.Reflection.Assembly back
GenerateExecutable = false, // Dll
IncludeDebugInformation = false,
CompilerOptions = ""
};
var csharp = new Microsoft.CSharp.CSharpCodeProvider();
// this actually runs csc.exe:
System.CodeDom.Compiler.CompilerResults cr =
csharp.CompileAssemblyFromSource(cp, sourceCode);
// cr.Output contains the output from the command
if (cr.Errors.Count != 0)
{
// handle errors
throw new InvalidOperationException("error at dynamic expression compilation");
}
System.Reflection.Assembly a = cr.CompiledAssembly;
// party on the type here, either via reflection...
Type t = a.GetType(typenameToGet);
return t;
}
在這裏StackOverflow上其他的答案中。 ,併爲各種可運行的程序生成代碼。創建實例使用:
IInvokable inv = (IInvokable)Activator.CreateInstance(GenerateDynamicType(...));
到底是一個非常複雜的系統。謝謝你MS真的很懶惰。
謝謝,工作過! – 2010-08-28 08:27:07