rockinfresh
rockinfresh

Reputation: 2106

Accessing certain pixel's intensity value(grayscale image) in openCV

I just realised that there is nothing on the web, after much searching about how to access a pixel's intensity value in OpenCv. A grayscale image.

Most online searches are about how to access BGR values of a colour image, like this one: Accessing certain pixel RGB value in openCV

image.at<> is basically for 3 channels, namely the BGR, out of curiousity, is there another similar method from OpenCV of accessing a certain pixel value of a grayscale image?

Upvotes: 2

Views: 20027

Answers (4)

TheDarkKnight
TheDarkKnight

Reputation: 9

at(y,x)]++;

for(int i = 0; i < 256; i++)
    cout<<histogram[i]<<" ";

// draw the histograms
int hist_w = 512; int hist_h = 400;
int bin_w = cvRound((double) hist_w/256);

Mat histImage(hist_h, hist_w, CV_8UC1, Scalar(255, 255, 255));

// find the maximum intensity element from histogram
int max = histogram[0];
for(int i = 1; i < 256; i++){
    if(max < histogram[i]){
        max = histogram[i];
    }
}

// normalize the histogram between 0 and histImage.rows

for(int i = 0; i < 255; i++){
    histogram[i] = ((double)histogram[i]/max)*histImage.rows;
}


// draw the intensity line for histogram
for(int i = 0; i < 255; i++)
{
    line(histImage, Point(bin_w*(i), hist_h),
                          Point(bin_w*(i), hist_h - histogram[i]),
         Scalar(0,0,0), 1, 8, 0);
}

// display histogram
namedWindow("Intensity Histogram", CV_WINDOW_AUTOSIZE);
imshow("Intensity Histogram", histImage);

namedWindow("Image", CV_WINDOW_AUTOSIZE);
imshow("Image", image);
waitKey();
return 0;

}

Upvotes: -2

sgarizvi
sgarizvi

Reputation: 16796

cv::Mat::at<>() function is for every type of image, whether it is a single channel image or multi-channel image. The type of value returned just depends on the template argument provided to the function.

The value of grayscale image can be accessed like this:

//For 8-bit grayscale image.
unsigned char value = image.at<unsigned char>(row, column);

Make sure to return the correct data type depending on the image type (8u, 16u, 32f etc.).

Upvotes: 4

herohuyongtao
herohuyongtao

Reputation: 50657

  • For IplImage* image, you can use

    uchar intensity = CV_IMAGE_ELEM(image, uchar, y, x);
    
  • For Mat image, you can use

    uchar intensity = image.at<uchar>(y, x);
    

Upvotes: 3

Nallath
Nallath

Reputation: 2106

You can use image.at<uchar>(j,i) to acces a pixel value of a grayscale image.

Upvotes: 6

Related Questions