2

我有如下的日期验证代码,它不会为 01/01/19211 抛出 parseException。

问题是什么。有没有人有替代解决方案?我不能使用任何第三方库。

SimpleDateFormat dateFormat = new SimpleDateFormat("MM/dd/yyyy");
        dateFormat.setLenient(false);
        try {
            resetPasswordUIBean.setDateOfBirth(dateFormat.parse(resetPasswordUIBean.getDateInput()));       
        } catch (ParseException e) {
            //handleException 
        }

非常感谢

4

2 回答 2

3

没有问题。它接受 19211 年 1 月 1 日的有效日期。我知道文档中并不清楚,但“yyyy”接受超过 4 位数字,超过 9999 年。

Date如果您想将日期限制在某个最大年份(例如,不是在未来,如果这意味着这是一个出生日期),那么您可以通过从(Calendar当然,通过 )中找出年份来轻松做到这一点。您可能还需要最低年份。这些是与解析分开的验证步骤- 基本上有很多日期作为日期有效,但在您的上下文中无效。

于 2013-06-06T20:57:06.587 回答
1

y可以解析一个+位数的年份

注意:两位数的年份将被解析为没有世纪的年份,例如19将被解析为0019. 如果您想要它2019,请使用yy.

演示:

import java.time.LocalDate;
import java.time.format.DateTimeFormatter;
import java.util.Locale;
import java.util.stream.Stream;

public class Main {
    public static void main(String[] args) {
        DateTimeFormatter dtf = DateTimeFormatter.ofPattern("M/d/y", Locale.ENGLISH);
        Stream.of(
                    "01/01/1",
                    "01/01/19",
                    "01/01/192",
                    "01/01/1921",
                    "01/01/19211"
        ).forEach( s -> System.out.println(LocalDate.parse(s, dtf)));
    }
}

输出:

0001-01-01
0019-01-01
0192-01-01
1921-01-01
+19211-01-01

ONLINE DEMO

因此,您需要从结果日期获取年份的值并验证年份,例如

import java.time.LocalDate;
import java.time.format.DateTimeFormatter;
import java.util.Locale;

public class Main {
    public static void main(String[] args) {
        DateTimeFormatter dtf = DateTimeFormatter.ofPattern("M/d/y", Locale.ENGLISH);
        int year = LocalDate.parse("01/01/19211", dtf).getYear();
        if (year < 1900 || year > 9999) {
            // Do this
        } else {
            // Do that
        }
    }
}

您可能还想检查喜欢uy

从Trail: Date Time了解有关现代日期时间 API 的更多信息。

注意:日期java.util时间 API 及其格式化 APISimpleDateFormat已过时且容易出错。建议完全停止使用它们并切换到现代 Date-Time API *


* 出于任何原因,如果您必须坚持使用 Java 6 或 Java 7,则可以使用ThreeTen-Backport,它将大部分java.time功能向后移植到 Java 6 和 7。如果您正在为 Android 项目和 Android API 工作level 仍然不符合 Java-8,请检查Java 8+ APIs available through desugaringHow to use ThreeTenABP in Android Project

于 2021-07-07T21:30:38.080 回答