使用此类数字时,使用 DecimalFormat 不会产生解析异常:
123你好
这显然不是一个真正的数字,并转换为 123.0 值。我怎样才能避免这种行为?
作为旁注 hello123 确实给出了一个例外,这是正确的。
谢谢,马塞尔
使用此类数字时,使用 DecimalFormat 不会产生解析异常:
123你好
这显然不是一个真正的数字,并转换为 123.0 值。我怎样才能避免这种行为?
作为旁注 hello123 确实给出了一个例外,这是正确的。
谢谢,马塞尔
要进行精确解析,您可以使用
public Number parse(String text,
ParsePosition pos)
将 pos 初始化为 0,当它完成时,它会在使用的最后一个字符之后为您提供索引。
然后,您可以将其与字符串长度进行比较,以确保解析准确。
扩展@Kal 的答案,这是一个实用方法,您可以将其与任何格式化程序一起使用来进行“严格”解析(使用 apache commons StringUtils):
public static Object parseStrict(Format fmt, String value)
throws ParseException
{
ParsePosition pos = new ParsePosition(0);
Object result = fmt.parseObject(value, pos);
if(pos.getIndex() < value.length()) {
// ignore trailing blanks
String trailing = value.substring(pos.getIndex());
if(!StringUtils.isBlank(trailing)) {
throw new ParseException("Failed parsing '" + value + "' due to extra trailing character(s) '" +
trailing + "'", pos.getIndex());
}
}
return result;
}
您可以使用 RegEx 验证它是数字:
String input = "123hello";
double d = parseDouble(input); // Runtime Error
public double parseDouble(String input, DecimalFormat format) throws NumberFormatException
{
if (input.equals("-") || input.equals("-."))
throw NumberFormatException.forInputString(input);
if (!input.matches("\\-?[0-9]*(\\.[0-9]*)?"))
throw NumberFormatException.forInputString(input);
// From here, we are sure it is numeric.
return format.parse(intput, new ParsePosition(0));
}