在2D数组中存储像素(以矩阵形式)

时间:2017-03-02 16:05:34

标签: c++ image-processing opencv3.0

我想在2D阵列中存储图像中的水平像素和垂直像素的总数。使用opencv在c ++中执行此操作的语法应该是什么?这是我在C ++中使用opencv库的代码。

using namespace std;
using namespace cv;

Mat image=imread("task1-1.png");

const int IDIM = image.rows; // horizontal size of the squares
const int JDIM = image.cols; // vertical size size of the squares                                                                                                                                   

int squares[IDIM][JDIM];

它给出了一个错误说明:

  

数组绑定在']'标记int square [IDIM] [JDIM]之前不是整数常量; ^'数组绑定不是']'标记int square [IDIM] [JDIM]之前的整数常量; ^

进行此操作的正确方法应该是什么?

1 个答案:

答案 0 :(得分:2)

您的错误是因为IDIMJDIM的值不是编译时常量。因此,您必须动态分配数组squares或使用其他方法,例如vector

动态分配数组

// Allocate

int** squares = new int*[image.rows];

for(int x = 0; x < image.rows; ++x)
{
    squares[x] = new int[image.cols];

    for(int y = 0; y < image.cols; ++y)
    {
        squares[y] = 0;
    }
}

// Use

squares[0][1] = 5;

// Clean up when done

for(int x = 0; x < image.rows; ++x)
{
    delete[] squares[x];
}

delete[] squares;
squares = nullptr;

<强>矢量

// Allocate

std::vector<std::vector<int>> squares(image.rows, std::vector<int>(image.cols, 0));

// Use

squares[0][1] = 5;

// Automatically cleaned up

请参阅How do I declare a 2d array in C++ using new?