C# - 来自动态库dll

时间:2017-08-24 04:44:52

标签: c# dll

我必须使用C#访问动态库。 它在使用COM库时效果很好但是当我尝试使用动态库时,它会导致错误。

第一个问题

首先我按照这样做我的代码:

[DllImport("mydll.dll")]
public static extern int toGetInfo(uint id, char[] strVolume, char[] strInfo);
// strVolume and strInfo is parameter that return value with [out]

public static void Main()
{
char[] test1,test2;
toGetInfo(0,test1,test2);
}

但它无法编译错误使用未分配的局部变量test1和test2。 然后我通过添加 out 来编辑我的代码:

[DllImport("mydll.dll")]
public static extern int toGetInfo(uint id, out char[] strVolume, out char[] strInfo);
// strVolume and strInfo is parameter that return [out]

public static void Main()
{
char[] test1,test2;
toGetInfo(0, out test1, out test2);
}

它能够编译但返回null值到test1和test2。

第二个问题

[DllImport("mydll.dll")]
public static extern int toOpen(uint id, char* name);

 public static void Main()
{
 char name;
 toOpen(0, name);
}

编译时会给出错误"指针和固定大小的缓冲区只能在不安全的上下文中使用"

知道该怎么做吗?

1 个答案:

答案 0 :(得分:1)

请尝试以下操作:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Runtime.InteropServices;


namespace ConsoleApplication74
{
    class Program
    {
        [DllImport("mydll.dll")]
        public static extern int toGetInfo(uint id, IntPtr strVolume, IntPtr strInfo);

        [DllImport("mydll.dll")]
        public static extern int toOpen(uint id, IntPtr name);

        const int STRING_LENGTH = 256;
        static void Main(string[] args)
        {

            IntPtr strVolumePtr = Marshal.AllocHGlobal(STRING_LENGTH);
            IntPtr strInfoPtr = Marshal.AllocHGlobal(STRING_LENGTH);

            uint id = 123;

            int status1 = toGetInfo(id, strVolumePtr, strInfoPtr);

            string strVolume = Marshal.PtrToStringAnsi(strVolumePtr);
            string strInfo = Marshal.PtrToStringAnsi(strInfoPtr);

            string name = "John";
            IntPtr openNamePtr = Marshal.StringToHGlobalAnsi(name);
            int status2 = toOpen(id, openNamePtr);

            Marshal.FreeHGlobal(strVolumePtr);
            Marshal.FreeHGlobal(strInfoPtr);
            Marshal.FreeHGlobal(openNamePtr);

        }

    }

}