我正在尝试将signed int变量转换为3字节数组并向后转换。
在函数 getColorint 中,我将int值转换为字节数组。这很好用!
public byte [] getColorByte(int color1){
byte[] color = new byte[3];
color[2] = (byte) (color1 & 0xFF);
color[1] = (byte) ((color1 >> 8) & 0xFF);
color[0] = (byte) ((color1 >> 16) & 0xFF);
return color;
}
但是如果我尝试使用 getColorint 函数将字节数组转换回Integer:
public int getColorint(byte [] color){
int answer = color [2];
answer += color [1] << 8;
answer += color [0] << 16;
return answer;
}
它仅适用于正整数值。
我的输入int值为 -16673281 ,但我的输出int值为 38143 。
任何人都可以帮助我吗?
谢谢:)
答案 0 :(得分:1)
Color类定义了创建和转换颜色int的方法。颜色表示为打包的int,由4个字节组成:alpha,red,green,blue。 你应该使用它。
答案 1 :(得分:1)
这里的问题是字节已签名。使用int answer = color[2]
进行color[2] == -1
时,答案也将为-1,即0xffffffff,而您希望它为255(0xff)。您可以使用Guava的UnsignedBytes作为补救措施,或者只需将color[i] & 0xff
转换为int。
答案 2 :(得分:0)
由于Color代表4个字节,您还应该存储alpha通道。
来自Int:
public byte [] getColorByte(int color1){
byte[] color = new byte[4];
for (int i = 0; i < 4; i++) {
color [i] = (byte)(color1 >>> (i * 8));
}
return color;
}
到Int:
public int getColorInt(byte [] color){
int res = ((color[0] & 0xff) << 24) | ((color[1] & 0xff) << 16) |
((color[2] & 0xff) << 8) | (color[3] & 0xff);
return res;
}