在一些数据交互的场景中,比如TCP协议的数据传输是基于字节流进行数据传输的,有时我们会将数据格式定义成前四个字节(int)或者两个字节(short)表示此次传输的数据长度,便于接受方进行数据读取与解析,所以会涉及到int或者short与byte数组的转换。不过java中的Integer类有byteValue()方法将int转换成byte,但是由于int是四个字节,而byte是一个字节,会丢失精度。所以我们需要手写方法去进行转换。
int转byte[]的方法
public static byte[] int2Byte(int target) {
byte[] bytes = new byte[4];
bytes[0] = (byte)(target & 0xff);
bytes[1] = (byte)((target >> 8) & 0xff);
bytes[2] = (byte)((target >> 16) & 0xff);
bytes[3] = (byte)((target >> 24) & 0xff);
return bytes;
}
原理很简单,一个字节是8位而一个int是由四个字节组成的,所以我们需要取int的每个字节的数据转换成byte,比如int型的513,在java中二进制的值是0000 0000 0000 0000 0000 0010 0000 0001表示的,则如果让其转换成4个byte,需要进行移位0,8,16,24,之后 &0xff才能取得每个字节的数据。
byte[]转int
public static int byte2Int(byte[] res) {
int target = (res[0] & 0xff) | ((res[1] << 8) & 0xff00)
| ((res[2] << 16) & 0xff0000) | ((res[3] << 24) & 0xff000000);
return target;
}