DateTimeFormatter 不适用于 en locale 中的 LLLL 模式

DateTimeFormatter not work with LLLL pattern in en locale

使用 ru 语言环境 return 完整月份名称 (Февраль),但使用 en 只有数字 (2).

DateTimeFormatter formatter = DateTimeFormatter.ofPattern("LLLL", new Locale("ru"));
LocalDate.now().format(formatter);

MMMM 适用于 en,但不适用于 ru(需要主格)。

如何获取所有语言环境的完整月份名称?

对于主格,您必须将模式设置为 MMLL 而不是 MMMM / LLLL

System.out.println(LocalDate.now().format(DateTimeFormatter.ofPattern("MM", new Locale("ru"))));
System.out.println(LocalDate.now().format(DateTimeFormatter.ofPattern("MM", new Locale("en"))));

这将为两种语言环境打印 02

不幸的是 the related bug issue JDK-8114833 尚未解决 Java-8。我还不清楚 Java-9 是否提供了解决方案(feature-freeze-date 已经结束了)。因此,您可以根据自己的知识应用以下解决方法,哪些语言需要几个月的特殊 standalone-form(主格),哪些不需要:

private static final Set<String> LANGUAGES_WITH_STANDALONE_CASE;

static {
    Set<String> set = new HashSet<>();
    set.add("ru");

    // add more languages which require LLLL-pattern (for example other slavish languages)
    LANGUAGES_WITH_STANDALONE_CASE = Collections.unmodifiableSet(set);
}

public static void main(String[] args) throws Exception {

    Locale locale = new Locale("en");

    DateTimeFormatter formatter =
      DateTimeFormatter.ofPattern(
        LANGUAGES_WITH_STANDALONE_CASE.contains(locale.getLanguage()) 
          ? "LLLL" : "MMMM",
        locale
      );
    System.out.println(LocalDate.now().format(formatter));

    // ru => Февраль
    // en => February
}

我不能说我喜欢这个解决方案,因为它需要额外的知识,哪些语言需要哪些模式。但它实际上是在 JSR-310(又名 java.time-API)范围内解决您的问题的唯一可能性。

通过测试,我现在看到即使是旧的 class SimpleDateFormat(Java-8 中的版本)也能工作:

    Locale locale = new Locale("en");

    SimpleDateFormat sdf = new SimpleDateFormat("LLLL", locale);
    System.out.println(sdf.format(new Date()));

但该解决方法的缺点是不能使用普通日历日期,而只能使用 java.util.Date

或者您可能愿意向库添加额外的依赖项,该库更好地支持模式字母 "L" 并且具有更好的 API-style 和更好的性能特征。例如,您可以使用我的图书馆 Time4J。这里是后一种情况的演示,它还展示了 Time4J 的独立格式引擎如何用于 JSR-310 类型(也在解析中):

    Locale locale = new Locale("ru");

    ChronoFormatter<LocalDate> formatter =
        ChronoFormatter.ofPattern(
            "LLLL",
            PatternType.CLDR,
            locale,
            PlainDate.axis(TemporalType.LOCAL_DATE)
        );
    System.out.println(formatter.format(LocalDate.now()));

    // ru => Февраль
    // en => February

为了获得最佳性能,我建议将格式化程序延迟存储在每个语言环境的 ConcurrentHashMap 中。