Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

String to Double in Java

Tags:

java

I have in my Java app double numbers. I need to convert String to Double, but string representation of number is

, - separates decimal part of number ( example 1,5 eq 6/4 )

. - separates groups of three digits ( example 1.000.000 eq 1000000 )

. How to achieve this conversion String to Double ?

like image 303
Damir Avatar asked Jan 20 '23 21:01

Damir


1 Answers

Here is one way of solving it using DecimalFormat without worrying about locales.

import java.text.*;

public class Test {

    public static void main(String[] args) throws ParseException {

        DecimalFormatSymbols dfs = new DecimalFormatSymbols();
        dfs.setGroupingSeparator('.');
        dfs.setDecimalSeparator(',');

        DecimalFormat df = new DecimalFormat();
        df.setGroupingSize(3);

        String[] tests = { "15,151.11", "-7,21.3", "8.8" };
        for (String test : tests)
            System.out.printf("\"%s\" -> %f%n", test, df.parseObject(test));
    }
}

Output:

"15,151.11" -> 15151.110000
"-7,21.3" -> -721.300000
"8.8" -> 8.800000
like image 124
aioobe Avatar answered Feb 01 '23 11:02

aioobe