16进制浮点数与带符号10进制互相转换

16进制浮点数与 带符号10进制 互相转换直接见代码:
有时候需要对16进制数转为带符号的10进制数,在jdk8中可以使用如下解决方案。

1.代码

import java.math.BigInteger;

/**
 * @author yangl-006305
 * @version V1.0
 * @date 2020-08-28 
 */
public class BigIntegerTest {

    public static void main(String[] args) {

        /**
         * (1):16进制浮点数转10进制(不带符号)
         */
        String s = "41a4c000";
        Float value = Float.intBitsToFloat(Integer.valueOf(s.trim(), 16));
        System.out.println("16进制浮点数转10进制=" + value);
        Float f = 20.59375f;
        System.out.println("10进制浮点数转16进制=" + Integer.toHexString(Float.floatToIntBits(f)));

        /**
         * 但是这种转换会存在一个问题:如果这个16进制的值为负数,那么会发生异常
         */
       /* String b = "c1a4c000" ;
        Float value1 = Float.intBitsToFloat(Integer.valueOf(b.trim(), 16));
        System.out.println(value1);*/

        /**
         * (2)16进制浮点数转10进制(带符号)
         */

        String c = "c1a4c000" ;
        System.out.println(hexToFloat(c));


        Float h = -20.59375f ;
        System.out.println(folatToHexString(h));

    }

    /**
     * 将 4字节的16进制字符串,转换为32位带符号的十进制浮点型
     * @param str 4字节 16进制字符
     * @return
     */
    public static float hexToFloat(String str){
        return Float.intBitsToFloat(new BigInteger(str, 16).intValue());
    }

    /**
     * 将带符号的32位浮点数装换为16进制
     * @param value
     * @return
     */
    public static String folatToHexString (Float value){
        return Integer.toHexString(Float.floatToIntBits(value));
    }
}

2.输出结果:

16进制浮点数转10进制=20.59375
10进制浮点数转16进制=41a4c000
-20.59375
c1a4c000

你可能感兴趣的:(java,基础)