我需要验证用户输入的日本日期

假设用户选择了ERA->输入DOB作为YY - MM - dd格式。

在服务器端,我收到用户选择的input dateERA

现在,如果日期属于特定ERA的期限,则我需要使用所选ERA验证输入的日期。

我知道Java Calendar API中对此有支持,也有类JapaneseImperialCalendar,但是尽管它在内部使用它,但我无法获得如何使用它的任何线索。

这是我到目前为止所做的。

public static void main(String[] args) {
        Locale locale = new Locale("ja", "JP", "JP");
        Calendar now = Calendar.getInstance(locale);
        System.out.println(now.get(Calendar.ERA));
        Map<String, Integer> names = now.getDisplayNames(Calendar.ERA, Calendar.LONG, locale);
        System.out.println(names);
        System.out.printf("It is year %tY of the current era%n", now);
        System.out.printf("The calendar class is: %s%n", now.getClass().getName());
    }

输出
4
{??=3, ??=4, ??=2, ??=1, ??=0}
It is year 0026 of the current era
The calendar class is: java.util.JapaneseImperialCalendar

假设用户输入,选择的ERA为SHOWA,预期期限为1926–1989
YY   MM    DD
34   05    28  // which is valid date

再次
YY   MM    DD
62   12    28  // which should be invalid date

因此需要建立一些逻辑以使用ERA验证用户输入日期

最佳答案

首先:

now.getDisplayNames(Calendar.ERA, Calendar.LONG, locale)

返回给定语言环境中的显示名称,在您的情况下为日语。因此,您得到的??标记是该时代的有效日语名称,只是您的控制台无法打印它们。改成
now.getDisplayNames(Calendar.ERA, Calendar.LONG, new Locale("en"))

你会得到一个不错的
{Heisei=4, Taisho=2, Meiji=1, Showa=3}

Java Calendar不会验证是否要正确设置与时代对应的字段,但是可以在给定时代的日历实例上请求Calendar#getActualMaximum(YEAR),以获得最大的合理年份。然后,您可以切换到该年份以找到最大合理的月份,然后重复以找到最大合理的一天。

这是一个小展示柜:
public static void main(String[] args) {
    Locale locale = new Locale("ja", "JP", "JP");
    Calendar now = Calendar.getInstance(locale);
    Map<String, Integer> eras = now.getDisplayNames(Calendar.ERA, Calendar.LONG, new Locale("en"));
    for (Map.Entry<String, Integer> era : eras.entrySet()) {
        Integer eraIndex = era.getValue();
        String eraName = era.getKey();
        System.out.printf("Era #%d [%s]%n", eraIndex, eraName);
        now.set(Calendar.ERA, eraIndex);
        now.set(Calendar.YEAR, 1);
        now.set(Calendar.DAY_OF_YEAR, 1);
        System.out.printf("Actual max year in era is %d%n", now.getActualMaximum(Calendar.YEAR));
    }
}

版画
Era #4 [Heisei]
Actual max year in era is 292277005 // current era
Era #2 [Taisho]
Actual max year in era is 15
Era #1 [Meiji]
Actual max year in era is 44
Era #3 [Showa]
Actual max year in era is 63

08-16 10:26