创建自定义getColor(字节r,字节g,字节b)方法

时间:2013-02-25 21:27:52

标签: java colors byte rgb 8-bit

我有一个简单的字节数组,我想从中获取颜色。我的计划是红色有三位,绿色有三位,蓝色有两位。 8位。

我认为颜色是正确的:

如果我错了,请纠正我,

 byte[] colours = new byte[256]; //256 different colours, 8 * 8 * 4 
                                 //(3 bits(red) + 3 bits(green) + 2 bits(blue)
 int index = 0;
 for(byte r = 0; r < 8; r++){ 
    for(byte g = 0; g < 8; g++){
       for(byte b = 0; b < 4; b++){
           byte rr = (r & 255);
           byte gg = (g & 255);
           byte bb = (b & 255);
           colours[index++] = (rr << 5 | gg << 2 | bb);   
       }
   }
}

我的目标是制作一个getColor(字节r,字节g,字节b),如

public static byte getColor(byte r, byte g, byte b){
    return colours[return the right color using r g b];
}

但我不知道怎么做。这是我需要帮助的地方。

如果可能的话,我想不要使用Color类。

其他信息: 我正在使用BufferedImage.TYPE.BYTE.INDEXED来绘制。

对不起,如果我的英语不好:)

EDIT 修正了错误的地方

1 个答案:

答案 0 :(得分:0)

Java的byte已签名,以2的补码表示,因此您不能只改变这种方式。
从128开始,您必须使用负值反转位模式。

byte[] colours = new byte[256];

for(int i = 0; i < colours.length; i++){ 
    colours[i] = (byte) (i < 128 ? i : i - 256);
}

你的方法应该是:

public static byte getColour(byte r, byte g, byte b)
        throws InvalidColourException {
    if (r >= 8 || r < 0)
        throw new InvalidColourException("Red is out of range.");
    if (g >= 8 || g < 0)
        throw new InvalidColourException("Green is out of range.");
    if (b >= 4 || b < 0)
        throw new InvalidColourException("Blue is out of range.");
    int i = (int) r << 5;
    i += (int) g << 2;
    i += (int) b;
    return colours[i];
}

虽然,您可以将它全部缩小为单个方法,然后丢弃该数组:

public static byte getColour(byte r, byte g, byte b)
        throws InvalidColourException {
    if (r >= 8 || r < 0)
        throw new InvalidColourException("Red is out of range.");
    if (g >= 8 || g < 0)
        throw new InvalidColourException("Green is out of range.");
    if (b >= 4 || b < 0)
        throw new InvalidColourException("Blue is out of range.");
    int c = (int) r << 5;
    c += (int) g << 2;
    c += (int) b;
    return (byte) c;
}