OpenCV在堆中从Array创建Mat

时间:2014-08-05 10:38:34

标签: c++ opencv

当我尝试使用堆上分配的数组初始化Mat对象时,我遇到了问题。

这是我的代码:

void test(){

    int rows = 2;
    int cols = 3;

    float **P_array;
    P_array = new float*[rows];

    int i;
    for(i = 0; i < rows; i++)
            P_array[i] = new float[cols];


    P_array[0][0]=1.0; P_array[0][1]=2.0; P_array[0][2]=3.0;
    P_array[1][0]=4.0; P_array[1][1]=5.0; P_array[1][2]=6.0;

    float P_array2[2][3]={{1.0,2.0,3.0},{4.0,5.0,6.0}};

    Mat P_m = Mat(rows, cols, CV_32FC1, &P_array);
    Mat P_m2 = Mat(2,3, CV_32FC1, &P_array2);

    cout << "P_m: "  << P_m   << endl;
    cout << "P_m2: " << P_m2 << endl;

}

结果就是这样:

P_m: [1.1737847e-33, 2.8025969e-45, 2.8025969e-45;
  4.2038954e-45, 1.1443695e-33, -2.2388967e-06]
P_m2: [1, 2, 3;
  4, 5, 6]

如您所见,动态分配的数组未成功复制。但是,能够从动态分配的数组初始化对我来说至关重要。

我该怎么办?

感谢您的帮助。

1 个答案:

答案 0 :(得分:4)

opencv Mat想要连续内存,内部表示只是一个uchar *。

  • 你的P_array是一个指针数组 - 不是连续的
  • 你的P_array2 是连续的(但又是静态的......)

如果需要使用动态内存对其进行初始化,只需使用单个浮点指针:

float *data = new float[ rows * cols ];
data[ y * cols + x ] = 17; // etc.

Mat m(rows, cols, CV_32F, data);

另外,在使用Mat完成之前,请注意不要删除数据指针/超出范围。在这种情况下,您需要克隆()它以实现深层复制:

Mat n = m.clone();
delete[] data; // safe now.