With the 'old', pre-Java 8 SimpleDateFormat
I can do:
new java.text.SimpleDateFormat("MMM yyyy", new java.util.Locale("es", "ES")).parse("Mayo 2017")
to get the Date
object of a date with Spanish month names.
How can I achieve the same with Java 8 and DateTimeFormatter
?
I tried:
DateTimeFormatter.ofLocalizedDateTime(FormatStyle.FULL).withLocale(new Locale("es", "ES")).ofPattern("MMM yyyy").parse("Mayo 2017")
but only get a java.time.format.DateTimeParseException
.
The call to
ofLocalizedDateTime()
can be removed, because in the end you callofPattern()
, creating another formatter with a totally different pattern (and the pattern returned byofLocalizedDateTime(FormatStyle.FULL)
is very different from justmonth year
, so that's not really what you want).Another detail is that
Mayo
is the full month name, so the pattern must beMMMM
(check the javadoc for more details). Also, theDateTimeFormatter
by default accepts only lowercase names (at least in the tests I've made with Spanish locale), so you must set the formatter to be case insensitive.You can do that by using a
java.time.format.DateTimeFormatterBuilder
:Optionally, you can directly parse it to a
java.time.YearMonth
object, as it seems to be the best choice for this case (because the input has only year and month):Default values
When the input doesn't have all the fields,
SimpleDateFormat
simply uses some defaults for them. In this case, the input has only year and month, so the parsedDate
will be equivalent to the parsed month/year, but the day will be set to 1 and the time to midnight (at the JVM default timezone).The new API is very strict about that and doesn't create default values unless you tell it to do so. One way to configure it is to use
parseDefaulting
with ajava.time.temporal.ChronoField
:With this, you can parse it to a
LocalDateTime
and the missing fields will be assigned to the respective default values:If you need to get a
java.util.Date
with the same value as the one created bySimpleDateFormat
, you can convert thisLocalDateTime
to the JVM default timezone and then convert it toDate
:Note that I had to explicity use the JVM default timezone (
ZoneId.systemDefault()
), which is implicity used bySimpleDateFormat
.Another alternative is to manually set the values in the
YearMonth
value:The default timezone can be changed without notice, even at runtime, so it's better to always make it explicit which one you're using.
The API uses IANA timezones names (always in the format
Region/City
, likeAmerica/New_York
orEurope/Berlin
), so you can callZoneId.of("America/New_York")
for example. Avoid using the 3-letter abbreviations (likeCST
orPST
) because they are ambiguous and not standard.You can get a list of available timezones (and choose the one that fits best your system) by calling
ZoneId.getAvailableZoneIds()
.