假设我有一个带有原型(prototype)的C++函数

int someFunction(const float ** raws)

如何使用C#中的float[][]参数调用此函数?可能不使用不安全的代码。

最佳答案

据我了解,您必须自己完成大部分工作。 Interop将帮助您整理顶层数组,但是将所有嵌套数组固定住,然后在完成后取消固定它们将是您的工作。此代码显示了一种实现方法:

using System;
using System.Runtime.InteropServices;

namespace ManagedClient
{
    class Program
    {
        [DllImport("UnmanagedDll.dll", CallingConvention = CallingConvention.StdCall)]
        private static extern int UseFloats([MarshalAs(UnmanagedType.LPArray)] IntPtr[] raws);

        static void Main(string[] args)
        {
            float[][] data =
            {
                new[] { 0.0f, 0.1f, 0.2f, 0.3f, 0.4f },
                new[] { 1.0f, 1.1f, 1.2f, 1.3f },
                new[] { 2.0f },
                new[] { 3.0f, 3.1f }
            };

            var handles = new GCHandle[data.Length];
            var pointers = new IntPtr[data.Length];

            try
            {
                for (int i = 0; i < data.Length; ++i)
                {
                    var h = GCHandle.Alloc(data[i], GCHandleType.Pinned);
                    handles[i] = h;
                    pointers[i] = h.AddrOfPinnedObject();
                }

                UseFloats(pointers);
            }
            finally
            {
                for (int i = 0; i < handles.Length; ++i)
                {
                    if (handles[i].IsAllocated)
                    {
                        handles[i].Free();
                    }
                }
            }
        }
    }
}

这将构建一个指针数组,每个指针都指向输入数组中的float数据。 (这是您的C函数希望数据到达的格式。)您的C代码如何知道每个子数组的长度取决于您。在测试代​​码中,我只是对其进行了硬编码以匹配传入的C#代码:
__declspec(dllexport) int __stdcall UseFloats(const float ** raws)
{
    printf("%f %f %f %f %f\n", raws[0][0], raws[0][1], raws[0][2], raws[0][3], raws[0][4]);
    printf("%f %f %f %f\n", raws[1][0], raws[1][1], raws[1][2], raws[1][3], raws[0][4]);
    printf("%f\n", raws[2][0]);
    printf("%f %f\n", raws[3][0], raws[3][1]);
    return 0;
}

实际上,您可能会想要做一些事情来告诉非托管代码每个子数组多长时间-您选择的非托管函数签名不会给被调用代码任何知道每个子数组长度的方式。 (大概之所以使用float **的原因是因为您想要锯齿状的数组。如果不是,并且每个子数组的长度都完全相同,那么在这里使用矩形数组而不是数组的效率会大大提高。指针,这样也会简化编码工作。)

09-11 19:46
查看更多