将我的数组移动到Mat并使用打开的CV显示图像

时间:2013-11-10 21:14:42

标签: c++ opencv mat

我在使用opencv显示图片时遇到问题。由于我的代码目前正在运行,我的功能是将78张大小为710X710的无符号短路图像加载到一个阵列中。我已经通过将数据写入文件并使用imageJ读取来验证了这一点。我现在正尝试从数组中提取单个图像帧并将其加载到Mat中,以便对其执行某些处理。现在我尝试了两种方法来做到这一点。如果我不尝试读取输出,代码将编译并运行,但如果我cout<

我的问题是,如何从我的大尺寸710 * 710的大型一维数组中提取数据到单个Mat图像中。或者是否有更有效的方法可以将图像加载到尺寸为710X710X78的3-D垫中,并根据需要对每个710X710切片进行操作?

int main(int argc, char *argv[])
{
    Mat OriginalMat, TestImage;

    long int VImageSize = 710*710;
    int NumberofPlanes = 78;
    int FrameNum = 150;

    unsigned short int *PlaneStack = new unsigned short int[NumberofPlanes*VImageSize];
    unsigned short int *testplane = new unsigned short int[VImageSize];

    /////Load PlaneStack/////
    Load_Vimage(PlaneStack, Path, NumberofPlanes); 

    //Here I try to extract a single plane image to the mat testplane, I try it two    different ways with the same results
    memcpy(testplane, &PlaneStack[710*710*40], VImageSize*sizeof(unsigned short int));
    //copy(&PlaneStack[VImageSize*40],&PlaneStack[VImageSize*41], testplane);

    // move single plane to a mat file
    OriginalMat = Mat(710,710,CV_8U, &testplane) ;
    //cout<<OriginalMat;

    namedWindow("Original");
    imshow("Original", OriginalMat);

}

1 个答案:

答案 0 :(得分:2)

问题是你正在使用构造函数Mat::Mat(int rows, int cols, int type, void* data)和一个指向16位数据的指针(unsigned short int),但是你指定了类型CV_8U(8位)。 因此,16位像素的第一个字节成为OriginalMat中的第一个像素,第一个像素的第二个字节成为OriginalMat中的第二个像素等。

你需要创建一个16位的Mat,然后如果要显示它就将其转换为8位,例如:

int main(int argc, char *argv[])
{
    long int VImageSize = 710*710;    
    int NumberofPlanes = 78;
    int FrameNum = 150;

    /////Load PlaneStack/////
    unsigned short int *PlaneStack = new unsigned short int[NumberofPlanes*VImageSize];      
    Load_Vimage(PlaneStack, Path, NumberofPlanes); 

    // Get a pointer to the plane we want to view
    unsigned short int *testplane = &PlaneStack[710*710*40];

    // "move" single plane to a mat file
    //  actually nothing gets moved, OriginalMat will just contain a pointer to your data.
    Mat OriginalMat(710,710,CV_16UC1, &testplane) ;

    double scale_factor = 1.0 / 256.0;
    Mat DisplayMat;
    OriginalMat.convertTo(DisplayMat, CV_8UC1, scale_factor);

    namedWindow("Original");
    imshow("Original", DisplayMat);
}