为什么不宽松的 SimpleDateFormat 解析带有字母的日期?

2022-09-04 02:29:16

当我运行以下代码时,我期望堆栈跟踪,但它看起来忽略了我的的错误部分,为什么会发生这种情况?

package test;

import java.text.ParseException;
import java.text.SimpleDateFormat;
import java.util.Date;

public class Test {
  public static void main(final String[] args) {
    final String format = "dd-MM-yyyy";
    final String value = "07-02-201f";
    Date date = null;
    final SimpleDateFormat df = new SimpleDateFormat(format);
    try {
      df.setLenient(false);
      date = df.parse(value.toString());
    } catch (final ParseException e) {
      e.printStackTrace();
    }
    System.out.println(df.format(date));
  }

}

输出为:

07-02-0201


答案 1

DateFormat.parse(由SimpleDateFormat继承)的文档说:

The method may not use the entire text of the given string.
final String value = "07-02-201f";

在你的情况下(201f),它能够解析有效字符串直到201年,这就是为什么它没有给你任何错误。

同一方法的“Throws”部分定义如下:

ParseException - if the beginning of the specified string cannot be parsed

因此,如果您尝试将字符串更改为

final String value = "07-02-f201";

您将获得解析异常,因为无法解析指定字符串的开头。


答案 2

您可以查看是否按如下方式分析了整个字符串。

  ParsePosition position = new ParsePosition(0);
  date = df.parse(value, position);
  if (position.getIndex() != value.length()) {
      throw new ParseException("Remainder not parsed: "
              + value.substring(position.getIndex()));
  }

此外,当异常被抛出时,也会产生。parsepositiongetErrorIndex()


推荐