Dates Between Specified Period
Finding the dates between two specified dates can be easily achieved using PHP. Consider the example of two dates, 20-4-2010 and 22-4-2010, and the goal is to obtain a list of the dates between them: 20, 21, 22.
One approach involves converting the given dates into timestamps using the strtotime() function:
<code class="php">$start = strtotime('20-04-2010 10:00'); $end = strtotime('22-04-2010 10:00');</code>
To retrieve the dates within the specified period, a loop is used, incrementing the current date by one day (86400 seconds) until reaching the end date:
<code class="php">for ($current = $start; $current <= $end; $current += 86400) { echo date('d-m-Y', $current); }
This code will output the dates in the desired format: 20, 21, 22.
Alternatively, using PHP5.3 or later, the DatePeriod and DateInterval classes can be utilized for concise date manipulation:
<code class="php">$period = new DatePeriod( new DateTime('20-04-2010'), DateInterval::createFromDateString('+1 day'), new DateTime('23-04-2010') ); foreach ($period as $dt) { echo $dt->format('d-m-Y'); }</code>
This code achieves the same result by iterating over the $period object and formatting the dates in the desired format.
The above is the detailed content of How to Find the Dates Between a Specified Period in PHP?. For more information, please follow other related articles on the PHP Chinese website!