我正在尝试将包含使用C#应用程序生成的数据的输入缓冲区(字节数组)转换为java数据类型。我对C#的Decimal
dataType。
C#示例:
decimal decimalValue = 20.20M;
//converting a Decimal value to 4 integer vlaues
int[] intPieces= Decimal.GetBits(decimalValue); //{2020,0,0,131072}
//using native constructor to rebuild value
Decimal newDecimalValue = new decimal(intPieces); //20.20
Console.WriteLine("DecimalValue is " + newDecimalValue);
但是java中没有Decimal
(也没有Decimal(int [] bits)构造函数)。
答案 0 :(得分:7)
在Java中,您使用BigDecimal
。这种类型并不完全相同,但合理地关闭。
您只需要将96位整数重建为BigInteger
,然后对其进行缩放并选择否定它:
import java.math.BigDecimal;
import java.math.BigInteger;
public class Test {
public static void main(String[] args) {
int[] parts = { 2020, 0, 0, 131072 };
BigInteger integer = BigInteger.valueOf(parts[2] & 0xffffffffL).shiftLeft(32)
.add(BigInteger.valueOf(parts[1] & 0xffffffffL )).shiftLeft(32)
.add(BigInteger.valueOf(parts[0] & 0xffffffffL));
BigDecimal decimal = new BigDecimal(integer, (parts[3] & 0xff0000) >> 16);
if (parts[3] < 0) // Bit 31 set
{
decimal = decimal.negate();
}
System.out.println(decimal);
}
}
输出:
20.20
构造BigInteger
部分时的屏蔽是有效地将值视为无符号 - 使用long
执行按位AND,前32位清除,并且设置了底部32位,我们通过在C#中将每个int
转换为uint
来构建相同的数值。