Below I have a code snippet from c++. I need to return array of pointers (to TempStruct).
The problem is that on c# side I get only one element. On the other I get AV.
**C++**
extern "C" __declspec(dllexport) void GetResult(TempStruct** outPtr, long *size)
{
*outPtr = (TempStruct*)new TempStruct*[2];
outPtr[0] = new TempStruct("sdf", 123);
outPtr[1] = new TempStruct("abc", 456);
*size = 2;
}
**C#**
[DllImport("test.dll", CallingConvention = CallingConvention.Cdecl, CharSet = CharSet.Ansi)]
public static extern void GetResult(out IntPtr outPtr, out int size);
IntPtr ptr = IntPtr.Zero;
int length;
GetResult(out ptr, out length);
int size = Marshal.SizeOf(typeof(TempStruct));
TempStruct[] someData2 = new TempStruct[length];
for (int i = 0; i < length; i++)
{
IntPtr wskptr = (IntPtr)(ptr.ToInt64() + (size * i));
someData2[i] = (TempStruct)Marshal.PtrToStructure(wskptr, typeof(TempStruct));
}
You are doing it wrong.
You are mixing pointer types.
By using the
new TempStruct()
you are creating an array of pointers toTempStruct
. The example I gave you created an array ofTempStruct
. See the difference?Now...
TempStruct** outPtr
should beTempStruct*** outPtr
(because you want to return (*
) an array (*
) of pointers (*
)... OrTempStruct**&
if you prefer :-)Change this line
Because you must read the single pointers.
I do hope you are deleting the various
TempStruct
with delete and using theoperator to delete the array of structures.
Full example:
C++:
C#:
Note that you don't need
[Serializable]
andPack=1
on the C#struct
More correct for the C++:
It is more correct because both
outPtr
andsize
can't beNULL
. See https://stackoverflow.com/a/620634/613130 . The C# signature is the same.