我在codeigniter中有一个数组,如下所示。如下所示,日期之间有一些空格。 4月1日之后,是第3个,之后是第10个,依此类推。
Array
(
[2019-04-01] => 1
[2019-04-03] => 3
[2019-04-10] => 8
[2019-04-15] => 1
)
我需要那些空日期为'0'
的空日期,所以最后,数组将如下所示:
Array
(
[2019-04-01] => 1
[2019-04-02] => 0
[2019-04-03] => 3
[2019-04-04] => 0
[2019-04-05] => 0
[2019-04-06] => 0
[2019-04-07] => 0
[2019-04-08] => 0
[2019-04-09] => 0
[2019-04-10] => 8
[2019-04-11] => 0
[2019-04-12] => 0
[2019-04-13] => 0
[2019-04-14] => 0
[2019-04-15] => 1
)
数组的第一个和最后一个index
将作为范围。
到目前为止我尝试过的事情
我正在使用这种方法,但这似乎不起作用。在下面的代码中,testArr
是上面发布的数组
$i=0;
foreach ($testArr as $key => $value) {
if($i==count($testArr)-1){break;}
$currentDay=new DateTime($key);
$nextDay=new DateTime(array_keys($testArr)[$i]);
$diff=date_diff($nextDay,$currentDay);
$diffint=intval($diff->format("%a"));
if($diffint!==1){
$currentDay->modify('+1 day');
$temp=array($currentDay->format('Y-m-d')=>0);
$testArr = $this->insertArrayAtPosition($testArr,$temp,$i);
}
$i++;
}
如果此问题在某处已经有答案,请不要忘记将其标记为重复。
答案 0 :(得分:3)
您可以使用DatePeriod生成目标期间内的每个日期,并为您的集合填充每个日期的值。
$values = ['2019-04-01' => 10, '2019-04-02' => 20, '2019-04-04' => 30];
$dates = new DatePeriod(new DateTime('2019-04-01'), new DateInterval('P1D'), new DateTime('2019-04-04'));
foreach($dates as $date) {
$values[$date->format('Y-m-d')] = $values[$date->format('Y-m-d')] ?? 0;
}
结果:
$values = [
'2019-04-01' => 10,
'2019-04-02' => 20,
'2019-04-03' => 0,
'2019-04-04' => 30,
];
答案 1 :(得分:2)
您可以使用DatePeriod
获取数组的第一个键和最后一个键之间的范围。
$arr = array(
"2019-04-01" => 1,
"2019-04-03" => 3,
"2019-04-10" => 8,
"2019-04-15" => 1,
);
$keys = array_keys( $arr );
$start = new DateTime($keys[0]);
$stop = new DateTime($keys[ count( $keys ) - 1 ]);
$stop->modify('+1 day');
$range = new DatePeriod($start, new DateInterval('P1D'), $stop);
$result = array();
foreach ($range as $key => $value) {
$date = $value->format('Y-m-d');
if ( isset( $arr[ $date ] ) ) $result[ $date ] = $arr[ $date ];
else $result[ $date ] = 0;
}
这将导致:
Array
(
[2019-04-01] => 1
[2019-04-02] => 0
[2019-04-03] => 3
[2019-04-04] => 0
[2019-04-05] => 0
[2019-04-06] => 0
[2019-04-07] => 0
[2019-04-08] => 0
[2019-04-09] => 0
[2019-04-10] => 8
[2019-04-11] => 0
[2019-04-12] => 0
[2019-04-13] => 0
[2019-04-14] => 0
[2019-04-15] => 1
)
答案 2 :(得分:0)
可以使用DatePeriod
,请检查以下代码。
<?php
$testArr = array('2019-04-01'=>1,'2019-04-03'=>3,'2019-04-10'=>8,'2019-04-15'=>1);
$start = new DateTime('2019-04-01'); // your start key
$end = new DateTime('2019-04-16'); // your end key
$interval = DateInterval::createFromDateString('1 day');
$period = new DatePeriod($start, $interval, $end);
$finalArr = array();
foreach ($period as $dt) {
if(array_key_exists($dt->format("Y-m-d"), $testArr)){
$finalArr[$dt->format("Y-m-d")] = $testArr[$dt->format("Y-m-d")];
}else{
$finalArr[$dt->format("Y-m-d")] = 0;
}
}
echo '<pre>';
print_r($finalArr);
exit();
?>