Convert a raw negative rgb int value back to a 3 number rgb value

你说的曾经没有我的故事 提交于 2019-12-17 16:37:34

问题


Ok so I'm working on a program that takes in an image, isolates a block of pixels into an array, and then gets each individual rgb value for each pixel in that array.

When I do this

//first pic of image
//just a test
int pix = myImage.getRGB(0,0)
System.out.println(pix);

It spits out -16106634

I need to get the (R, G, B) value out of this int value

Is there a formula, alg, method?


回答1:


The BufferedImage.getRGB(int x, int y) method always returns a pixel in the TYPE_INT_ARGB color model. So you just need to isolate the right bits for each color, like this:

int pix = myImage.getRGB(0, 0);
int r = (pix >> 16) & 0xFF;
int g = (pix >> 8) & 0xFF;
int b = pix & 0xFF;

If you happen to want the alpha component:

int a = (pix >> 24) & 0xFF;

Alternatively you can use the Color(int rgba, boolean hasalpha) constructor for convenience (at the cost of performance).




回答2:


int pix = myImage.getRGB(0,0);
Color c = new Color(pix,true); // true for hasalpha
int red = c.getRed();
int green = c.getGreen();
int blue = c.getBlue();


来源:https://stackoverflow.com/questions/5526690/convert-a-raw-negative-rgb-int-value-back-to-a-3-number-rgb-value

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!