0

这是我试图在 C# 中使用的头文件签名和 C 代码:

__declspec(dllexport) emxArray_real_T *emxCreateWrapper_real_T(real_T *data, int32_T rows, int32_T cols);

struct emxArray_real_T
{
    real_T *data;
    int32_T *size;
    int32_T allocatedSize;
    int32_T numDimensions;
    boolean_T canFreeData;
};

emxArray_real_T *emxCreateWrapper_real_T(real_T *data, int32_T rows, int32_T
  cols)
{
  emxArray_real_T *emx;
  int32_T size[2];
  int32_T numEl;
  int32_T i;
  size[0] = rows;
  size[1] = cols;
  emxInit_real_T(&emx, 2);
  numEl = 1;
  for (i = 0; i < 2; i++) {
    numEl *= size[i];
    emx->size[i] = size[i];
  }

  emx->data = data;
  emx->numDimensions = 2;
  emx->allocatedSize = numEl;
  emx->canFreeData = FALSE;
  return emx;
}

我目前正在尝试在 C# 中按如下方式调用它:

[DllImport(@"C:\bla\bla.dll", CallingConvention = CallingConvention.Cdecl)]
private static extern emxArray_real_T emxCreateWrapper_real_T(double[,] data, int rows, int cols);

double[,] array2D = new double[,] { { 1 }, { 3 }, { 5 }, { 7 } };
var x = emxCreateWrapper_real_T(array2D, 1, 4);

但得到:

Method's type signature is not PInvoke compatible.

emxArray_real_T目前看起来像这样:

[StructLayout(LayoutKind.Sequential)]
public struct emxArray_real_T
{
    //public IntPtr data;
    //public IntPtr size;
    double[] data;
    int[] size;
    public int allocatedSize;
    public int numDimensions;
    [MarshalAs(UnmanagedType.U1)]
    public bool canFreeData;
}
4

1 回答 1

1

有多个问题。首先,您的 C++ 函数返回一个指针 (emxArray_real_T *),但您的导入声明返回一个结构。那是行不通的。此外,您在导入声明中将数据声明为 double[,],但在结构中声明为 double[]。建议:

  • 用类替换结构
  • 确定 data 应该是 double[] 还是 double[,]
  • 还要检查 real_T 的最终大小。我相信这是一个平台相关变量,可以是浮点(32 位)或双精度(64 位)。
于 2013-02-23T09:08:45.010 回答