Learn to convert float value to String using Float.toString() and String.valueOf() methods. Learn to format float to string to n decimal points.
1. Java convert float to String
Use any of given two methods for converting a java float value to String.
1.1. Convert float to String – Float.toString(float f)
This method returns a string representation of the float value passed as argument.
float pi = 3.1415927f; String piString = Float.toString(pi); System.out.println(piString);
Program output:
3.1415927
1.2. Convert float to String – String.valueOf(float f)
The valueOf()
method takes an float value as argument and return the equivalent string representation. The representation is exactly the one returned by the Float.toString()
method.
String.valueOf() method definition
public static String valueOf(float f) { return Float.toString(f); }
String.valueOf() example
float pi = 3.1415927f; String piString = String.valueOf(pi); System.out.println(piString);
Program output:
3.1415927
2. Java format float to String
Use NumberFormat.format(float) method to
For example, we can format float to 2 decimal points as in given example.
float pi = 3.1415927f; NumberFormat formatter = new DecimalFormat("0.00"); String formmatedFloatValue = formatter.format(pi); System.out.println( formmatedFloatValue ); System.out.println(formatter.format(1.1)); System.out.println(formatter.format(1.123));
Program output:
3.14 1.10 1.12
3. Java convert String to float
Use Float.parseFloat(string) method to
String piString = "3.1415927"; float pi = Float.parseFloat(piString); System.out.println(pi);
Program output:
3.1415927
In this article, we learned to get float value from string in Java. You may be interested in reading about the correct way to compare two floats.
Happy Learning !!