Tengo 2 fechas en PHP, ¿cómo puedo ejecutar un bucle foreach para recorrer todos esos días?
Empiezo con una fecha 2010-05-01
y termino con 2010-05-10
. ¿Cómo puedo recorrer todas esas fechas en PHP?
$begin = new DateTime('2010-05-01');
$end = new DateTime('2010-05-10');
$interval = DateInterval::createFromDateString('1 day');
$period = new DatePeriod($begin, $interval, $end);
foreach ($period as $dt) {
echo $dt->format("l Y-m-d H:i:s\n");
}
Esto generará todos los días en el período definido entre $start
y $end
. Si desea incluir el día 10, configúrelo $end
en el día 11. Puedes ajustar el formato a tu gusto. Consulte el manual de PHP para DatePeriod . Requiere PHP 5.3.
Esto también incluye la última fecha.
$begin = new DateTime( "2015-07-03" );
$end = new DateTime( "2015-07-09" );
for($i = $begin; $i <= $end; $i->modify('+1 day')){
echo $i->format("Y-m-d");
}
Si no necesita la última fecha, simplemente elimínela =
de la condición.
La conversión a marcas de tiempo de Unix facilita los cálculos de fechas en php:
$startTime = strtotime( '2010-05-01 12:00' );
$endTime = strtotime( '2010-05-10 12:00' );
// Loop between timestamps, 24 hours at a time
for ( $i = $startTime; $i <= $endTime; $i = $i + 86400 ) {
$thisDate = date( 'Y-m-d', $i ); // 2010-05-01, 2010-05-02, etc
}
Cuando utilice PHP con una zona horaria con horario de verano, asegúrese de agregar una hora que no sea las 23:00, 00:00 o 1:00 para protegerse contra saltos o repeticiones de días.
Copie el ejemplo de php.net para un rango inclusivo :
$begin = new DateTime( '2012-08-01' );
$end = new DateTime( '2012-08-31' );
$end = $end->modify( '+1 day' );
$interval = new DateInterval('P1D');
$daterange = new DatePeriod($begin, $interval ,$end);
foreach($daterange as $date){
echo $date->format("Ymd") . "<br>";
}
Aqui hay otra implementacion simple:
/**
* Date range
*
* @param $first
* @param $last
* @param string $step
* @param string $format
* @return array
*/
function dateRange( $first, $last, $step = '+1 day', $format = 'Y-m-d' ) {
$dates = [];
$current = strtotime( $first );
$last = strtotime( $last );
while( $current <= $last ) {
$dates[] = date( $format, $current );
$current = strtotime( $step, $current );
}
return $dates;
}
Ejemplo:
print_r( dateRange( '2010-07-26', '2010-08-05') );
Array (
[0] => 2010-07-26
[1] => 2010-07-27
[2] => 2010-07-28
[3] => 2010-07-29
[4] => 2010-07-30
[5] => 2010-07-31
[6] => 2010-08-01
[7] => 2010-08-02
[8] => 2010-08-03
[9] => 2010-08-04
[10] => 2010-08-05
)