33

I have the integer pixel I got from getRGB(x,y), but I don't have any clue about how to convert it to RGBA format. For example, -16726016 should be Color(0,200,0,255). Any tips?

0xCursor
  • 2,242
  • 4
  • 15
  • 33
Gabriel
  • 5,453
  • 14
  • 63
  • 92

2 Answers2

51

If I'm guessing right, what you get back is an unsigned integer of the form 0xAARRGGBB, so

int b = (argb)&0xFF;
int g = (argb>>8)&0xFF;
int r = (argb>>16)&0xFF;
int a = (argb>>24)&0xFF;

would extract the color components. However, a quick look at the docs says that you can just do

Color c = new Color(argb);

or

Color c = new Color(argb, true);

if you want the alpha component in the Color as well.

UPDATE

Red and Blue components are inverted in original answer, so the right answer will be:

int r = (argb>>16)&0xFF;
int g = (argb>>8)&0xFF;
int b = (argb>>0)&0xFF;

updated also in the first piece of code

Bilal
  • 1,254
  • 13
  • 14
AKX
  • 152,115
  • 15
  • 115
  • 172
28
    Color c = new Color(-16726016, true);
    System.out.println(c.getRed());
    System.out.println(c.getGreen());
    System.out.println(c.getBlue());
    System.out.println(c.getAlpha());

prints out:

0
200
0
255

Is that what you mean?

laher
  • 8,860
  • 3
  • 29
  • 39