I have a string and I know that is only contained a number.
I want to check this number is int or float.
I have a string and I know that is only contained a number.
I want to check this number is int or float.
There are many ways to solve your problem for example you can use try{}catch(){}:
Solution 1
public static void main(String[] args) {
String str = "5588";
//check if int
try{
Integer.parseInt(str);
}catch(NumberFormatException e){
//not int
}
//check if float
try{
Float.parseFloat(str);
}catch(NumberFormatException e){
//not float
}
}
Solution 2
Or you can use regex [-+]?[0-9]*\.?[0-9]+ :
boolean correct = str.matches("[-+]?[0-9]*\\.?[0-9]+");
For more details take a look at this Matching Floating Point Numbers with a Regular Expression
Late to the party . In Apache Commons NumberUtils class.
NumberUtils.isCreatable(String) which checks whether a String is a valid Java number or not.
log.info("false {} ", NumberUtils.isCreatable("NA.A"));
log.info("true {} ", NumberUtils.isCreatable("1223.589889890"));
log.info("true {} ", NumberUtils.isCreatable("1223"));
log.info("true {} ", NumberUtils.isCreatable("2.99e+8"));
Hope this helps someone.
public static String getPrimitiveDataTypeForNumberString(String str) {
try {
if (str.matches("^[\\p{Nd}]+[Ll]$")) {
str = str.substring(0, str.length() - 1);
long l = Long.parseLong(str);
if (l <= Long.MAX_VALUE) {
return "Long";
}
} else if (str.matches("^[\\p{Nd}]+[.][\\p{Nd}Ee]+[Ff]$")) {
str = str.substring(0, str.length() - 1);
float f = Float.parseFloat(str);
if (f <= Float.MAX_VALUE) {
return "Float";
}
} else if (str.matches("^[\\p{Nd}]+[.][\\p{Nd}Ee]+[Dd]$")) {
str = str.substring(0, str.length() - 1);
double d = Double.parseDouble(str);
if (d <= Double.MAX_VALUE) {
return "Double";
}
} else if (str.matches("^[\\p{Nd}]+$")) {
double d = Double.parseDouble(str);
if (d <= Integer.MAX_VALUE) {
return "Integer";
} else if (d <= Long.MAX_VALUE) {
return "Long";
} else if(d <= Float.MAX_VALUE) {
return "Float";
} else if(d <= Double.MAX_VALUE) {
return "Double";
}
} else if (str.matches("^[\\p{Nd}]+[.][\\p{Nd}Ee]+$")) {
double d = Double.parseDouble(str);
if (d > Float.MAX_VALUE) {
return "Double";
}
return "Float";
}
} catch (NumberFormatException e) {
}
return "Unknown";
}