Trying to figure out how to accomplish this task: I'd want to select pixels of an image based on luminance, and then grab the rgb values of those pixels.
My initial thought was to use OpenCV to make a histogram on the greyscale of the image:
img = cv2.imread('test.jpg',0)
hist = cv2.calcHist([img],[0],None,[256],[0,256])
but I wasn't sure how to then identify where those pixels in a particular bin of my histogram are in the image?
Alternatively I found this formula to get luminance:
(0.2126*R + 0.7152*G + 0.0722*B)
So I guess I could iterate over ever pixel in the image with that formula and grab the ones that match my chosen luminance level?
Is there a better way to accomplish this in Python?
First, while the coefficients are correct for sRGB or Rec709, to convert from color to Y...
...they require that the RGB channels are all linearized to remove any gamma encoding.
Second, these are the coefficients for Rec709 or sRGB, but other colorspaces require different coefficients.
A Library
I recommend KenSolaar's ColourScience, a python library that can do things like convert to a luminance, and uses numpy and vectorized math.
https://github.com/colour-science/colour
Conversion and tracking pixel values
Converting an sRGB pixel to luminance is straight forward:
Putting all that together:
That's the simplest while still being reasonably accurate, however some purists might suggest using the IEC specified sRGB TRC, which is piecewise and computationally more expensive:
Y Not?
The next question was, how to determine the pixels, and that's just creating and populating a list (array) with the coordinates and color value for pixels that match the luminance.
Do you want to quantize back to 8 bit integer values for the luminance? Or stay in a 0.0 to 1.0 and define a range? The later is usually most useful, so let's do that.
For
cv2.imread('test.jpg',1)
don't set the flag to 0 — you're going to make your own greyscale and you want to save the color pixel values, correct?So using the earlier example but with a ternary piecewise TRC method and adding a loop that appends an array for the found pixels:
There's very likely a way to vectorize this, so worth it to look at the colour-science library I linked above as it does so where possible.