c# - 将 C++ 数组返回到 C#

标签 c# c++ arrays dll return

我似乎不知道如何将一个数组从导出的 C++ DLL 返回到我的 C# 程序。我从谷歌搜索中发现的唯一一件事是使用 Marshal.Copy() 将数组复制到缓冲区中,但这并没有给我想要返回的值,我不知道它给了我什么。

这是我一直在尝试的:

导出函数:

extern "C" __declspec(dllexport) int* Test() 
{
    int arr[] = {1,2,3,4,5};
    return arr;
}

C#部分:

    [DllImport("Dump.dll")]
    public extern static int[] test();

    static void Main(string[] args)
    {

        Console.WriteLine(test()[0]); 
        Console.ReadKey();


    }

我知道返回类型 int[] 可能是错误的,因为托管/非托管的差异,我只是不知道从这里去哪里。除了将字符数组返回到字符串而不是整数数组之外,我似乎找不到任何答案。

我认为我使用 Marshal.Copy 获得的值不是我返回的值的原因是因为导出函数中的 'arr' 数组被删除了,但我不能 100% 确定,如果有人可以的话把这个弄清楚就好了。

最佳答案

我已经实现了 Sriram 提出的解决方案。万一有人想要它在这里。

在 C++ 中,您可以使用以下代码创建一个 DLL:

extern "C" __declspec(dllexport) int* test() 
{
    int len = 5;
    int * arr=new int[len+1];
    arr[0]=len;
    arr[1]=1;
    arr[2]=2;
    arr[3]=3;
    arr[4]=4;
    arr[5]=5;
        return arr;
}

extern "C" __declspec(dllexport) int ReleaseMemory(int* pArray)
{
    delete[] pArray;
    return 0;
}

DLL 将被称为 InteropTestApp

然后你在 C# 中创建一个控制台应用程序。

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

namespace DLLCall
{
    class Program
    {
        [DllImport("C:\\Devs\\C++\\Projects\\Interop\\InteropTestApp\\Debug\\InteropTestApp.dll")]
        public static extern IntPtr test();

        [DllImport("C:\\Devs\\C++\\Projects\\Interop\\InteropTestApp\\Debug\\InteropTestApp.dll", CallingConvention = CallingConvention.Cdecl)]
        public static extern int ReleaseMemory(IntPtr ptr);

        static void Main(string[] args)
        {
            IntPtr ptr = test();
            int arrayLength = Marshal.ReadInt32(ptr);
            // points to arr[1], which is first value
            IntPtr start = IntPtr.Add(ptr, 4);
            int[] result = new int[arrayLength];
            Marshal.Copy(start, result, 0, arrayLength);

            ReleaseMemory(ptr);

            Console.ReadKey();
        }
    }
}

result 现在包含值 1,2,3,4,5

希望对您有所帮助。

关于c# - 将 C++ 数组返回到 C#,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/17634480/

相关文章:

c# - 使用 Fluent NHibernate 选择 N 个随机行

c++ - 使用 std::move,调用 move 构造函数但对象仍然有效

c++ - SQLite 文件锁定和 DropBox

ios - 如何在 Swift 3 中为在 for 循环期间修改的数组编写 for 循环?

javascript - 从数组中删除对象或嵌套对象

c# - 使用 Newtonsoft.json 自定义反序列化

C# 变量 int 假定不同的值

ios - 当对象包含其他对象的数组时,如何解析 JSON?

c# - 从数据库中打开 word 文档(保存为二进制文件)

c++ - C/C++ 中 int 类型的最大值。为什么我不能在这个例子中正确计算它?