java中float與byte[]的互轉
阿新 • • 發佈:2019-01-23
起因:想把一個float[]轉換成記憶體資料,查了一下,下面兩個方法可以將float轉成byte[]。
方法二
先用 Float.floatToIntBits(f)轉換成int
再通過如下方法轉成byte []
方法三(這個是我在用的):
方法一
import java.nio.ByteBuffer; import java.util.ArrayList; float buffer = 0f; ByteBuffer bbuf = ByteBuffer.allocate(4); bbuf.putFloat(buffer); byte[] bBuffer = bbuf.array(); bBuffer=this.dataValueRollback(bBuffer); //數值反傳 private byte[] dataValueRollback(byte[] data) { ArrayList<Byte> al = new ArrayList<Byte>(); for (int i = data.length - 1; i >= 0; i--) { al.add(data[i]); } byte[] buffer = new byte[al.size()]; for (int i = 0; i <= buffer.length - 1; i++) { buffer[i] = al.get(i); } return buffer; }
方法二
先用 Float.floatToIntBits(f)轉換成int
再通過如下方法轉成byte []
/** * 將int型別的資料轉換為byte陣列 原理:將int資料中的四個byte取出,分別儲存 * * @param n int資料 * @return 生成的byte陣列 */ public static byte[] intToBytes2(int n) { byte[] b = new byte[4]; for (int i = 0; i < 4; i++) { b[i] = (byte) (n >> (24 - i * 8)); } return b; } /** * 將byte陣列轉換為int資料 * * @param b 位元組陣列 * @return 生成的int資料 */ public static int byteToInt2(byte[] b) { return (((int) b[0]) << 24) + (((int) b[1]) << 16) + (((int) b[2]) << 8) + b[3]; }
方法三(這個是我在用的):
/** * 浮點轉換為位元組 * * @param f * @return */ public static byte[] float2byte(float f) { // 把float轉換為byte[] int fbit = Float.floatToIntBits(f); byte[] b = new byte[4]; for (int i = 0; i < 4; i++) { b[i] = (byte) (fbit >> (24 - i * 8)); } // 翻轉陣列 int len = b.length; // 建立一個與源陣列元素型別相同的陣列 byte[] dest = new byte[len]; // 為了防止修改源陣列,將源陣列拷貝一份副本 System.arraycopy(b, 0, dest, 0, len); byte temp; // 將順位第i個與倒數第i個交換 for (int i = 0; i < len / 2; ++i) { temp = dest[i]; dest[i] = dest[len - i - 1]; dest[len - i - 1] = temp; } return dest; } /** * 位元組轉換為浮點 * * @param b 位元組(至少4個位元組) * @param index 開始位置 * @return */ public static float byte2float(byte[] b, int index) { int l; l = b[index + 0]; l &= 0xff; l |= ((long) b[index + 1] << 8); l &= 0xffff; l |= ((long) b[index + 2] << 16); l &= 0xffffff; l |= ((long) b[index + 3] << 24); return Float.intBitsToFloat(l); }