OpenCV: Matrix Iteration

前端 未结 2 1184
隐瞒了意图╮
隐瞒了意图╮ 2020-12-15 11:46

I am new to OpenCV. I am trying to use iterator instead of \"for\" loop, which is too slow for my case. I tried some codes like this:

MatIterator_

        
相关标签:
2条回答
  • 2020-12-15 12:14

    You need some kind of counting variable and you will have to declare and update it yourself. A compact way of doing this would be

    int i = 0;
    for( it = I.begin<uchar>(), end = I.end<uchar>(); it != end; ++it,i++)
    {
    //some codes here involving i+2 and i+3
    }
    

    if you are looking for super fast access however I would recommend manipulating the data pointer yourself. For a great explanation of iterating speed look at OpenCV 2 Computer Vision Application Programming Cookbook on page 51 (65 in pdf). Your code might then look something lik

    cv::Mat your_matrix;
    //assuming you are using uchar
    uchar* data = your_matrix.data();
    
    for(int i = 0; i < some_number; i++)
    {
      //operations using *data
      data++;
    }
    
    0 讨论(0)
  • 2020-12-15 12:25

    It's not the for loop which is slow it is the exampleMat.at<int>(i) which is doing range checking.

    To efficently loop over all the pixels you can get a pointer to the data at the start of each row with .ptr()

    for(int row = 0; row < img.rows; ++row) {
        uchar* p = img.ptr(row);
        for(int col = 0; col < img.cols; ++col) {
             *p++  //points to each pixel value in turn assuming a CV_8UC1 greyscale image 
        }
    
        or 
        for(int col = 0; col < img.cols*3; ++col) {
             *p++  //points to each pixel B,G,R value in turn assuming a CV_8UC3 color image 
        }
    
    }   
    
    0 讨论(0)
提交回复
热议问题