DllImport and char*

前端 未结 4 2155
我在风中等你
我在风中等你 2020-12-19 05:33

I have a method I want to import from a DLL and it has a signature of:

BOOL GetDriveLetter(OUT char* DriveLetter)

I\'ve tried



        
相关标签:
4条回答
  • 2020-12-19 05:39

    The StringBuilder is probably the way to go, but you have to set the capacity of the string builder before calling the function. Since C# has no idea how much memory that GetDriveLeter will use, you must make sure the StringBuilder has enough space. The marshaller will then pass a char* allocated to that length to the function and marhsall it back to the StringBuilder.

    [return:MarshalAsAttribute(UnmanagedType.I4)]
    private static extern bool GetDriveLetter(StringBuilder DriveLetter);
    
    public static bool GetDriveLetter(out string driverLetter) {
      StringBuilder buffer = new StringBuilder(10);
      bool ret = GetDriveLetter(buffer);
      driveLetter = buffer.ToString();
      return ret;
    }
    

    See the p/invoke sample for GetWindowText(), for an example.

    0 讨论(0)
  • 2020-12-19 05:45

    It appears the function GetDriveLetter is expecting a char* which points to sufficient memory to contain the drive letter.

    I think the easiest way to approach this problem is to pass a raw IntPtr and wrap the calls to GetDriveLetter in an API which takes care of the resource management and conversion to a string.

    [return:MarshalAsAttribute(UnmanagedType.Bool)]
    private static extern bool GetDriveLetter(IntPtr ptr);
    
    public static bool GetDriveLetter(out string drive) {
      drive = null;
      var ptr = Marshal.AllocHGlobal(10);
      try {
        var ret = GetDriveLetter(ptr);
        if ( ret ) {
          drive = Marshal.PtrToStringAnsi(ptr);
        }
        return ret;
      } finally { 
        Marshal.FreeHGlobal(ptr);
      }
    }
    
    0 讨论(0)
  • 2020-12-19 05:45

    I had a related situation where the function had a char * parameter and I was missing the CharSet assignment:

    [DllImport("library.dll", CharSet = CharSet.Ansi)]
    public static extern IntPtr MyFunc(string myString);
    
    0 讨论(0)
  • 2020-12-19 05:57
    [DllImport("mydll.dll")]
    public static extern bool GetDriveLetter([MarshalAs(UnmanagedType.LPStr)]  string DriveLetter)
    
    0 讨论(0)
提交回复
热议问题