我有LocalDate
其中包含日期 2012-12-28 并且我想用本地化月份名称(即波兰语中的十二月)打印它,在波兰语中与主格不同(分别是grudnia和grudzień)。因为我还想使用我自己创建的自定义格式DateTimeFormatter
(DateTimeFormatterBuilder
在 Joda-Time 中,AFAIK 是正确的方法):
private static final DateTimeFormatter CUSTOM_DATE_FORMATTER
= new DateTimeFormatterBuilder()
.appendLiteral("z dnia ")
.appendDayOfMonth(1)
.appendLiteral(' ')
.appendText(new MonthNameGenitive()) // <--
.appendLiteral(' ')
.appendYear(4, 4)
.appendLiteral(" r.")
.toFormatter()
.withLocale(new Locale("pl", "PL")); // not used in this case apparently
输出应该是“ z dnia 28 grudnia 2012 r. ”。
我的问题是关于标有箭头的线:我应该如何实施MonthNameGenitive
?目前它扩展DateTimeFieldType
并有相当多的代码:
final class MonthNameGenitive extends DateTimeFieldType {
private static final long serialVersionUID = 1L;
MonthNameGenitive() {
super("monthNameGenitive");
}
@Override
public DurationFieldType getDurationType() {
return DurationFieldType.months();
}
@Override
public DurationFieldType getRangeDurationType() {
return DurationFieldType.years();
}
@Override
public DateTimeField getField(final Chronology chronology) {
return new MonthNameGenDateTimeField(chronology.monthOfYear());
}
private static final class MonthNameGenDateTimeField
extends DelegatedDateTimeField {
private static final long serialVersionUID = 1L;
private static final ImmutableList<String> MONTH_NAMES =
ImmutableList.of(
"stycznia", "lutego", "marca", "kwietnia", "maja", "czerwca",
"lipca", "sierpnia", "września", "października", "listopada",
"grudnia");
private MonthNameGenDateTimeField(final DateTimeField field) {
super(field);
}
@Override
public String getAsText(final ReadablePartial partial,
final Locale locale) {
return MONTH_NAMES.get(
partial.get(this.getType()) - 1); // months are 1-based
}
}
}
对我来说似乎很草率而且不是防弹的,因为我必须实现许多魔术方法,而且我只使用DelegatedDateTimeField
并覆盖了一种方法(getAsText(ReadablePartial, Locale)
),而还有其他同名的方法:
getAsText(long, Locale)
getAsText(long)
getAsText(ReadablePartial, int, Locale)
getAsText(int, Locale)
是否有更好的方法来获得所需的输出(使用DateTimeFormatter
)或我的方法正确但非常冗长?
编辑:
我尝试使用新的 JDK8 Time API(类似于 Joda,基于 JSR-310)来实现相同的目标,并且可以轻松完成:
private static final java.time.format.DateTimeFormatter JDK8_DATE_FORMATTER
= new java.time.format.DateTimeFormatterBuilder()
.appendLiteral("z dnia ")
.appendValue(ChronoField.DAY_OF_MONTH, 1, 2, SignStyle.NORMAL)
.appendLiteral(' ')
.appendText(ChronoField.MONTH_OF_YEAR, MONTH_NAMES_GENITIVE) // <--
.appendLiteral(' ')
.appendValue(ChronoField.YEAR, 4)
.appendLiteral(" r.")
.toFormatter()
.withLocale(new Locale("pl", "PL"));
whereMONTH_NAMES_GENITIVE
带有Map<Long, String>
自定义月份名称,因此非常易于使用。见DateTimeFormatterBuilder#appendText(TemporalField, Map)
。
有趣的是,在 JDK8 中,整个 Polish-month-name-genitive 播放是不必要的,因为DateFormatSymbols.getInstance(new Locale("pl", "PL")).getMonths()
默认情况下返回属格的月份名称......虽然这个更改对于我的用例是正确的(在波兰语中,我们说“今天是 12 月 28 日2012”在属格中使用月份名称),在某些其他情况下可能会很棘手(我们说“这是 2012 年 12 月”使用主格)并且它向后不兼容。