When building a computer program we will use a lot of string to represent our data. The data might not just information about our customer name, email or address, but will also contain numeric data represented as string. So how do we know if this string contains a valid number?
Java provides some wrappers to the primitive data types that can be used to do the checking. These wrappers come with the parseXXX()
method such as Integer.parseInt()
, Float.parseFloat()
and Double.parseDouble()
methods.
package org.kodejava.lang;
public class NumericParsingExample {
public static void main(String[] args) {
String age = "15";
String height = "160.5";
String weight = "55.9";
try {
int theAge = Integer.parseInt(age);
float theHeight = Float.parseFloat(height);
double theWeight = Double.parseDouble(weight);
System.out.println("Age = " + theAge);
System.out.println("Height = " + theHeight);
System.out.println("Weight = " + theWeight);
} catch (NumberFormatException e) {
e.printStackTrace();
}
}
}
In the example code we use Integer.parseInt()
, Float.parseFloat()
, Double.parseDouble()
methods to check the validity of our numeric data. If the string is not a valid number java.lang.NumberFormatException
will be thrown.
The result of our example:
Age = 15
Height = 160.5
Weight = 55.9
- How do I get number of each day for a certain month in Java? - September 8, 2024
- How do I get operating system process information using ProcessHandle? - July 22, 2024
- How do I sum a BigDecimal property of a list of objects using Java Stream API? - July 22, 2024