String to BigNumber conversion, a particular solution

417 Views Asked by At

I'm writing a Java program to process electronic tax forms that come in some pseudo-xml format.
The resulting amount of tax to be paid or refunded comes in the following format: 13-char long String of unsigned integers where the last two represent the cents, i.e. two decimal places. Whether result is positive (payment) or negative (refund) is indicated elsewhere so it's not relevant here.

I need to convert this string to BigNumber and have come to the below solution, is a good way to go about it? Do you know any better solution?

public class BigDecimalTest {
    public static void main(String[] args) {

        // 0000000043272  for EUR 432.72
        String s = "0000000043272";    

        //mantissa is the amount as-is, exponent-2 since working with 2 decimal places.
        BigDecimal bd = new BigDecimal(s+"E-2"); 

        System.out.printf("%s: BigDecimal %sE-2 toString: %s\n", s, s, bd.toString());
    }
}
2

There are 2 best solutions below

0
On

Another alternative:

// making use of the constructor scale parameter
BigDecimal bd = new BigDecimal(new BigInteger(s), 2);  
3
On

You could also use:

BigDecimal bd = new BigDecimal("1234").movePointLeft(2);

Creates a second instance, but is more readable.