Reputation: 853
I have object pool of char buffers and passing this buffer on P/Invoke call. Do i need pinning buffer before call or not?
First approach:
[DllImport("Name", CharSet = CharSet.Unicode, CallingConvention = CallingConvention.Cdecl)]
private static extern void SomeMeth(char[] text, int size);
public static string CallSomeMeth()
{
char[] buffer = CharBufferPool.Allocate();
SomeMeth(buffer, 4095);
string result = new string(buffer, 0, Array.IndexOf(buffer, '\0'));
CharBufferPool.Free(buffer);
return result;
}
Second approach:
[DllImport("Name", CharSet = CharSet.Unicode, CallingConvention = CallingConvention.Cdecl)]
private static unsafe extern void SomeMeth(char* text, int size);
public static unsafe string CallSomeMeth2()
{
char[] buffer = CharBufferPool.Allocate();
string result;
fixed (char* buff = buffer)
{
SomeMeth(buff, 4095);
result = new string(buffer, 0, Array.IndexOf(buffer, '\0'));
}
CharBufferPool.Free(buffer);
return result;
}
Upvotes: 2
Views: 164
Reputation: 111860
No, there is auto-pinning for reference types passed to PInvoke.
From https://msdn.microsoft.com/en-us/magazine/cc163910.aspx#S3:
When the runtime marshaler sees that your code is passing to native code a reference to a managed reference object, it automatically pins the object.
so first approach is ok.
Only:
SomeMeth(buffer, 4095);
I do think it is wrong to sprinkle constants around the code...
SomeMeth(buffer, buffer.Length);
or
SomeMeth(buffer, buffer.Length - 1);
would be probably better.
Upvotes: 3