1

我有一个 DLL,它导出一个返回 float* 的函数,我想在我的 C# 代码中使用它。我不知道如何编组我的 float* 以便我可以在 C# 中安全地使用它。因此,在我的 C++ DLL 中,我声明:

static float* GetSamples(int identifier, int dataSize);

在我的 C# 脚本中,我有:

[DllImport ("__Internal")]
public static extern float[] GetSamples (int identifier, int dataSize);

C++ GetSamples(int,int) 分配内存并返回浮点数组的指针。如何声明 C# GetSamples 以编组我的浮点数组,以及如何访问数据(通过迭代或 Marshal.Copy)?另外,我可以从 C# 中删除 float* 还是必须调用另一个 C++ 函数来删除分配的内存?

编辑:所以这是我到目前为止所尝试的。首先,在 C# 方面:

宣言:

[DllImport ("__Internal")]
public static extern int GetSamples ([In, Out]IntPtr buffer,int length, [Out] out IntPtr written);

试图调用它:

IntPtr dataPointer = new IntPtr();
IntPtr outPtr;
GetSamples(dataPointer, data.Length, out outPtr);
for (var i = 0; i < data.Length; i++){
    copiedData[i] = Marshal.ReadByte(dataPointer, i);
}

然后在我的 C++ 库中:

int AudioReader::RetrieveSamples(float * sampleBuffer, size_t dataLength, size_t * /* out */ written)
{
    float* mydata = new float[dataLength];

    //This is where I copy the actual data into mydata

    memcpy(sampleBuffer, mydata, dataLength*sizeof(float));

    delete data;
    return dataLength;
}

我真的不知道 outPtr 的用途...而且我知道我还有一些可以删除的额外复制步骤,我只想让它现在工作。

4

1 回答 1

5

所以这是一个有点复杂的答案......

.NET 不知道如何处理 C++ 内存分配,因此无论返回 afloat *充其量都是危险的。此外,.NET 内存模型是基于 COM 的,所以它是CoTaskMemAlloc基于的,并不是说它在这里真的对您有帮助。所以这是我的建议:

int AudioReader::RetrieveSamples(
     float * sampleBuffer,
     int dataLength,
     int * /* out */ written)
{
     // assuming mydata is already defined
     if(sampleBuffer == NULL || dataLength == 0)
     {
         *written = sizeof(mydata);
         return -1;
     }
     ZeroMemory(sampleBuffer, dataLength);
     int toCopy = min(dataLength, sizeof(myData));
     //This is where I copy the actual data into mydata

     memcpy(sampleBuffer, mydata, toCopy);
     *written = toCopy;
     return 0;
 }
 [DLLImport("__internal")]
 private static extern int GetSamples(
     [In, Out]IntPtr buffer,
     [In] int length,
     [Out] out int written);

 float[] RetrieveFloats()
 {
     int bytesToAllocate = 0;
     GetSamples(IntPtr.Zero, 0, out bytesToAllocate);
     if(bytesToAllocate == 0)
        return null;
     int floatCount = bytesToAllocate/ sizeof(float);
     float[] toReturn = new float[floatCount];
     IntPtr allocatedMemory = Marshal.AllocHGlobal(bytesToAllocate);

     int written = 0;
     if(GetSamples(allocatedMemory, bytesToAllocate, out written) != -1)
     {
         floatCount = written/sizeof(float);
         Marshal.Copy(allocatedMemory, toReturn, 0, floatCount);
     }
     Marshal.FreeHGlobal(allocatedMemory);
     return toReturn;
 }

传递 0 的 bufferLength 将返回缓冲区所需的空间,然后可以分配并传入缓冲区。

您需要在 C# 中为缓冲区分配内存,不能在 C++ 中分配它

于 2013-06-28T15:05:54.827 回答