我正在尝试访问cvMat中的数据。

这是我的代码:

// Declare
int rank = 3;
CvMat* warp_matrix = cvCreateMat(rank,rank,CV_32FC1);

// Using
cvGetPerspectiveTransform(imgSrc,imgDst,warp_matrix);

for(int i=0; i<rank; i++)
{
    for(int j=0; j<rank; j++)
    {
        std::cout << warp_matrix->data[i][j] << std::endl;
    }
}


但是我发现一个错误:

error: no match for 'operator[]' (operand types are 'CvMat::<anonymous union>' and 'int')


而且我不知道如何解决-我尝试这样CV_MAT_ELEM()

std::cout << CV_MAT_ELEM(warp_matrix,double,i,j) << std::endl;


而且它仍然不起作用(捕获此错误):

error: request for member 'cols' in 'warp_matrix', which is of pointer type 'CvMat*' (maybe you meant to use '->' ?)


我现在不知道该怎么办。你能帮助我吗 ?

最佳答案

使用宏CV_MAT_ELEM。它需要一个cvMat,而不是指向cvMat的指针。如果需要指针:

mx->data;


是未命名的指针联合(每种类型):

mx->data.ptr; // uchar
mx->data.i; // int
mx->data.s; // short
mx->data.db; // double
mx->data.fl; // float


请注意,这些是一维的,因此mx [row] [col]样式访问将不起作用。考虑示例:

CvMat * mx = cvCreateMat( 3, 4, CV_32FC1 );
LOG->PrintLn( "%u x %u", mx->cols, mx->rows );
for( uint rdx = 0; rdx < mx->rows; ++rdx )
{
    for( uint cdx = 0; cdx < mx->cols; ++cdx )
    {
        CV_MAT_ELEM( * mx, float, rdx, cdx ) = ( 1 + rdx ) * 10 + cdx;
        LOG->Print( "\t%.1f", mx->data.fl[ mx->cols * rdx + cdx ] );
    }
    LOG->PrintLn();
}


(在您的示例中未声明矩阵imgSrc和imgDst,因此我无法进行转换。)

关于c - 如何在cvMat中访问数据,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/26425021/

10-12 14:28