Reputation: 1308
I'd like to convert a BigDecimal
to String
for printing purposes but print out all digits without scientific notation. For example:
BigDecimal d = BigDecimal.valueOf(12334535345456700.12345634534534578901);
String out = d.toString(); // Or perform any formatting that needs to be done
System.out.println(out);
I'd like to get 12334535345456700.12345634534534578901
printed. Right now I get: 1.23345353454567E+16
.
Upvotes: 46
Views: 58103
Reputation: 159794
To preserve the precision for a BigDecimal
you need to pass the value in as a String
BigDecimal d = new BigDecimal("12334535345456700.12345634534534578901");
System.out.println(d.toPlainString());
Upvotes: 71
Reputation: 1249
You could use this
BigDecimal d = BigDecimal.valueOf(12334535345456700.12345634534534578901);
String out= d.toPlainString();
System.out.println(out);
Upvotes: -2
Reputation: 27346
The BigDecimal
class has a toPlainString
method. Call this method instead of the standard toString
and it will print out the full number without scientific notation.
Example
BigDecimal b = new BigDecimal("4930592405923095023950238502395.3259023950235902");
System.out.println(b.toPlainString());
Output: 4930592405923095023950238502395.3259023950235902
Upvotes: 28
Reputation: 24326
You want to use a DecimalFormat
:
DecimalFormat df = new DecimalFormat("#.#");
String output = df .format(myBD);
System.out.println(value + " " + output);
Upvotes: 3