从非托管C#DLL返回列表/数组

问题描述:

我有不受管理的C#DLL:

I have Unmanaged C# DLL:

[DllExport(ExportName = "GetStudentsList", CallingConvention = CallingConvention.StdCall)]
static public List<StudentsStruct>GetStudentsList() {  return List<StudentsStruct>;   }


[DllExport(ExportName = "maxElement", CallingConvention = CallingConvention.StdCall)]
static public int maxElement(int a, int b) { return c; }

我想从函数中返回List<StudentsStruct>.

我想在C ++应用程序中运行以上功能:

And I want to run above function in a C++ Application:

using GetStudentsListFn = List<StudentsStruct> (__stdcall *) (void);
GetStudentsListFn  GetStudentsList = reinterpret_cast<GetStudentsListFn> (GetProcAddress(mod, "GetStudentsList"));
List<StudentsStruct> myList = GetStudentsList();

using MaxElementFn = int(__stdcall *) (int a, int b);
MaxElementFn maxElement = reinterpret_cast<MaxElementFn> (GetProcAddress(mod, "maxElement"));
std::printf("max: %d\n", maxElement(1, 2));

MaxElement()函数可以正常工作,因为它返回一个int值.但我想从C#返回"StudentsStruct"的列表/数组到C ++.

MaxElement( ) function is working perfectly because it return an int. But i want to return List/Array of "StudentsStruct", from C# to C++.

我将使用out数组参数执行此操作并返回大小,如下所示:

I would do this with out array parameter and return the size, like this:

using ExportDllAttribute.DllExport;
using System.Runtime.InteropServices;

[StructLayout(LayoutKind.Sequential, CharSet = CharSet.Unicode)]
public struct StudentsStruct
{
    public string Name;
    public int SomeInt;
    public double SomeDouble;

    [DllExport]
    public static int GetStudentsList([Out] out StudentsStruct[] students)
    {
        students = new StudentsStruct[] { new StudentsStruct { Name = "Satan", SomeInt = 666, SomeDouble = 666 },
                new StudentsStruct { Name = "Techno", SomeInt = 777, SomeDouble = 777 } };
        return students.Length;
    }
}

和C ++代码:

#include<Windows.h>

struct StudentsStruct
{
public:
    LPWSTR Name;
    int SomeInt;
    double SomeDouble;
};

using GetStudentsListFn = int (__stdcall*) (StudentsStruct **);

int main()
{
    HMODULE hModule = LoadLibraryA("DllExportArrayTest.dll");
    if (hModule)
    {
        GetStudentsListFn GetStudentsList = reinterpret_cast<GetStudentsListFn>(GetProcAddress(hModule, "GetStudentsList"));
        StudentsStruct* students = NULL;
        auto size = GetStudentsList(&students);
        for (int i = 0; i < size; i++)
            auto student = students[i];
        FreeLibrary(hModule);
    }
}