float與byte[]互相轉換

NetRookieX發表於2018-06-28

今天想利用socket傳送資料,可是float型別該怎麼傳送呢?我的想法是先轉換成byte[]型,接收之後再轉換回來。

float型別是4個位元組,而byte是1個位元組,所以需要轉換成為byte[]的型別,來保證資料的正確轉換。

話不多說,上程式碼:

public class Main {
            //這個函式將float轉換成byte[]
             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;
	}
	
	
	
	//這個函式將byte轉換成float
	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);                  
	}
	
	
	
	//測試,主函式
	public static void main(String[] args) {
		float f = 12.34f;
        byte[] b=float2byte(f);
        for(int i=0;i<3;i++)
        	System.out.println(b[i]);   //輸出byte陣列,顯示的是奇怪的數字,因為float的四個位元組被拆分成了四份
        float f2=byte2float(b, 0);
        System.out.println(f2);
	}
        

}

讀者直接使用上面的兩個函式即可。



相關文章