29

是否有一些在 C# 应用程序中使用 C 源代码与内联 asm(这不是C++ 代码)混合的方法?如果它需要将 C/asm 与 C# 应用程序一起编译成 DLL,我对它是如何完成的并不挑剔,就这样吧。我知道没有规定在 C# 中使用程序集,因此这个问题。

我正在尝试合并的示例代码:

SomeFunc(unsigned char *outputData, unsigned char *inputData, unsigned long inputDataLength)
{
    _asm
    {
        //Assembly code that processes inputData and stores result in outputData
    }
}

在声明该函数之前,C 代码中有一些指针/变量声明,但除此之外,它都是内联汇编,如果有任何影响,则在汇编代码中使用这些声明。

目标是从 C# 传递“inputData”,然后以某种方式访问​​ C# 程序中的“outputData”。通常我们只会用原生 C# 重写汇编代码,但我们的时间很紧,要一起制作原型,如果我们可以暂时使用现有的 C/汇编代码,没有任何理由立即重新发明轮子。一些时尚。

4

1 回答 1

30

它实际上非常简单,甚至不需要反射。

        [SuppressUnmanagedCodeSecurity]
        [UnmanagedFunctionPointer(CallingConvention.Cdecl)]
        private delegate int AssemblyAddFunction(int x, int y);

        [DllImport("kernel32.dll")]
        private static extern bool VirtualProtectEx(IntPtr hProcess, IntPtr lpAddress, UIntPtr dwSize, uint flNewProtect, out uint lpflOldProtect);

        ....................................

        byte[] assembledCode =
        {
            0x55,               // 0 push ebp            
            0x8B, 0x45, 0x08,   // 1 mov  eax, [ebp+8]   
            0x8B, 0x55, 0x0C,   // 4 mov  edx, [ebp+12]  
            0x01, 0xD0,         // 7 add  eax, edx       
            0x5D,               // 9 pop  ebp            
            0xC3                // A ret                 
        };

        int returnValue;
        unsafe
        {
            fixed (byte* ptr = assembledCode)
            {
                var memoryAddress = (IntPtr) ptr;

                // Mark memory as EXECUTE_READWRITE to prevent DEP exceptions
                if (!VirtualProtectEx(Process.GetCurrentProcess().Handle, memoryAddress,
                    (UIntPtr) assembledCode.Length, 0x40 /* EXECUTE_READWRITE */, out uint _))
                {
                    throw new Win32Exception();
                }

                var myAssemblyFunction = Marshal.GetDelegateForFunctionPointer<AssemblyAddFunction>(memoryAddress);
                returnValue = myAssemblyFunction(10, -15);
            }               
        }

        Console.WriteLine($"Return value: {returnValue}"); // Prints -5

我为此写了一篇博文:https ://esozbek.me/inline-assembly-in-csharp-and-dotnet/

于 2018-11-01T22:04:16.423 回答