Java 8 LocalDate - How do I get all dates between two dates?

61,841

Solution 1

Assuming you mainly want to iterate over the date range, it would make sense to create a DateRange class that is iterable. That would allow you to write:

for (LocalDate d : DateRange.between(startDate, endDate)) ...

Something like:

public class DateRange implements Iterable<LocalDate> {

  private final LocalDate startDate;
  private final LocalDate endDate;

  public DateRange(LocalDate startDate, LocalDate endDate) {
    //check that range is valid (null, start < end)
    this.startDate = startDate;
    this.endDate = endDate;
  }

  @Override
  public Iterator<LocalDate> iterator() {
    return stream().iterator();
  }

  public Stream<LocalDate> stream() {
    return Stream.iterate(startDate, d -> d.plusDays(1))
                 .limit(ChronoUnit.DAYS.between(startDate, endDate) + 1);
  }

  public List<LocalDate> toList() { //could also be built from the stream() method
    List<LocalDate> dates = new ArrayList<> ();
    for (LocalDate d = startDate; !d.isAfter(endDate); d = d.plusDays(1)) {
      dates.add(d);
    }
    return dates;
  }
}

It would make sense to add equals & hashcode methods, getters, maybe have a static factory + private constructor to match the coding style of the Java time API etc.

Solution 2

First you can use a TemporalAdjuster to get the last day of the month. Next the Stream API offers Stream::iterate which is the right tool for your problem.

LocalDate start = LocalDate.now();
LocalDate end = LocalDate.now().plusMonths(1).with(TemporalAdjusters.lastDayOfMonth());
List<LocalDate> dates = Stream.iterate(start, date -> date.plusDays(1))
    .limit(ChronoUnit.DAYS.between(start, end))
    .collect(Collectors.toList());
System.out.println(dates.size());
System.out.println(dates);

Solution 3

Java 9

In Java 9, the LocalDate class was enhanced with the LocalDate.datesUntil(LocalDate endExclusive) method, which returns all dates within a range of dates as a Stream<LocalDate>.

List<LocalDate> dates = startDate.datesUntil(endDate).collect(Collectors.toList());

Solution 4

tl;dr

Expanding on the good Answer by Singh, using a stream from datesUntil in Java 9 and later.

today                                 // Determine your beginning `LocalDate` object.
.datesUntil(                          // Generate stream of `LocalDate` objects.
    today.plusMonths( 1 )             // Calculate your ending date, and ask for a stream of dates till then.
)                                     // Returns the stream.
.collect( Collectors.toList() )       // Collect your resulting dates in a `List`. 
.toString()                           // Generate text representing your found dates.

[2018-09-20, 2018-09-21, 2018-09-22, 2018-09-23, 2018-09-24, 2018-09-25, 2018-09-26, 2018-09-27, 2018-09-28, 2018-09-29, 2018-09-30, 2018-10-01, 2018-10-02, 2018-10-03, 2018-10-04, 2018-10-05, 2018-10-06, 2018-10-07, 2018-10-08, 2018-10-09, 2018-10-10, 2018-10-11, 2018-10-12, 2018-10-13, 2018-10-14, 2018-10-15, 2018-10-16, 2018-10-17, 2018-10-18, 2018-10-19]

LocalDate::datesUntil stream

As of Java 9, you can ask for a stream of dates. Call LocalDate::datesUntil.

Start by determining today's date. That requires a time zone. For any given moment, the date varies around the globe by zone.

ZoneId z = ZoneId.of( "Pacific/Auckland" ) ;
LocalDate today = LocalDate.now( z ) ;

Determine your ending date.

LocalDate stop = today.plusMonths( 1 ) ;

Ask for stream of dates from beginning to ending.

Stream< LocalDate > stream = today.datesUntil( today.plusMonths( 1 ) );

Pull the dates from that stream, collecting them into a List.

List< LocalDate > datesForMonthFromToday = stream.collect( Collectors.toList() );

Print our list of dates, generating text in standard ISO 8601 format.

System.out.println( datesForMonthFromToday );

About java.time

The java.time framework is built into Java 8 and later. These classes supplant the troublesome old legacy date-time classes such as java.util.Date, Calendar, & SimpleDateFormat.

The Joda-Time project, now in maintenance mode, advises migration to the java.time classes.

To learn more, see the Oracle Tutorial. And search Stack Overflow for many examples and explanations. Specification is JSR 310.

You may exchange java.time objects directly with your database. Use a JDBC driver compliant with JDBC 4.2 or later. No need for strings, no need for java.sql.* classes.

Where to obtain the java.time classes?

The ThreeTen-Extra project extends java.time with additional classes. This project is a proving ground for possible future additions to java.time. You may find some useful classes here such as Interval, YearWeek, YearQuarter, and more.

Solution 5

You could create a stream of LocalDate objects. I had this problem too and I published my solution as java-timestream on github.

Using your example...

LocalDateStream
    .from(LocalDate.now())
    .to(1, ChronoUnit.MONTHS)
    .stream()
    .collect(Collectors.toList());

It's more or less equivalent to other solutions proposed here, but it takes care of all of the date math and knowing when to stop. You can provide specific or relative end dates, and tell it how much time to skip each iteration (the default above is one day).

Share:
61,841
Patrick
Author by

Patrick

Java and Spring Software Developer.

Updated on February 19, 2020

Comments

  • Patrick
    Patrick over 4 years

    Is there a usablility to get all dates between two dates in the new java.time API?

    Let's say I have this part of code:

    @Test
    public void testGenerateChartCalendarData() {
        LocalDate startDate = LocalDate.now();
    
        LocalDate endDate = startDate.plusMonths(1);
        endDate = endDate.withDayOfMonth(endDate.lengthOfMonth());
    }
    

    Now I need all dates between startDate and endDate.

    I was thinking to get the daysBetween of the two dates and iterate over:

    long daysBetween = ChronoUnit.DAYS.between(startDate, endDate);
    
    for(int i = 0; i <= daysBetween; i++){
        startDate.plusDays(i); //...do the stuff with the new date...
    }
    

    Is there a better way to get the dates?

  • Patrick
    Patrick almost 8 years
    Thanks for your very good solution. Would use it when I still need the List.
  • Flown
    Flown almost 8 years
    @Patrick you didn't specify how the results should look like, it was only an assumption. You also don't have to store the results, instead you can use Stream::forEach to process the results.
  • Patrick
    Patrick almost 8 years
    Its a clean approach to have the logic in an own class. Thanks for pointing me in this direction!
  • assylias
    assylias almost 8 years
    @Flown I could (see the comment on the toList method). This is an extract from a larger class and I think the reason not to was performance (not sure if it makes a real difference to be honest).
  • Flown
    Flown almost 8 years
    @assylias I saw the comment later and deleted my comment. Do you really think performance is an issue in this case?
  • assylias
    assylias almost 8 years
    @Flown To be tested ;-)
  • user405935
    user405935 almost 7 years
    It should be .limit(ChronoUnit.DAYS.between(start, end) + 1) to include the last day of each month.
  • Flown
    Flown almost 7 years
    @user405935 This question is more than a year old and should outline a solution. It is left to the user to adapt this snippet to fit the requirements.
  • riccardo.cardin
    riccardo.cardin over 6 years
    Whoa! I was able to replace a huge do...while with this trick. Thanka a lot.
  • Holger
    Holger over 5 years
    LongStream.rangeClosed(0, ChronoUnit.DAYS.between(startDate, endDate)) .mapToObj(startDate::plusDays)
  • Holger
    Holger over 5 years
    A bit of both, though readability is subjective. But it creates a sized stream, which may have slight advantages when iterating, but significant ones with operations like toArray, count() (obviously), and with parallel streams. And it’s closer to the OP’s original loop.
  • Dalton
    Dalton over 5 years
    This is the best answer for this case because you won't have to deal with final variables like you would have to if you used the stream approach.
  • membersound
    membersound almost 5 years
    To be noted that the datesUntil is exclusive.
  • Sviatlana
    Sviatlana over 4 years
    Thanks for such an elegant solution
  • CodeFinity
    CodeFinity over 2 years
    Yup. 💭 Thoughts on how to make it inclusive? Maybe just add one more day than needed?