我有一个这样结构的数组:
$months = array(
MM => array(
'start' => DD,
'end' => DD,
'type' => (string),
'amount'=> (float),
),
);
MM表示月份(01-12,string), DD表示月份中的某一天(01-31,string)。并非所有月份都在数组中。对于每个月,有可变数量的子数组,每个子数组的范围都有唯一的天数。例如,一个月有三个子数组,它们有三个天范围,但是这些范围中使用的天永远不会重叠或重复,每个DD值都是唯一的。唯一的例外是,在某些范围内'开始'和'结束'可能重合(相同的DD日),但每个月永远不会有两个相同的'开始'日或两个相同的'结束'日。
我需要在每个月循环月份和天数时使用这个数组。当循环一个月中的每一天时,我需要检查特定的一天是否在"开始"或"结束"中匹配。如果匹配为真,我还需要检索相邻的值。
在这样做的时候,我遇到了一个问题:我如何知道子数组的键索引在哪里有这样的匹配?例如,我如何知道匹配是否在
上$months['09'][3]['start'] == $current_day_in_loop;
或者说:
$months['09'][6]['start'] == $current_day_in_loop;
还是另一个键?
因为我不知道每个月有多少个范围,索引键是可变的,或者根本没有。如何查找匹配的值是否在关键[3]
或[6]
上?一旦我知道了键,我就可以使用它来查找同一子数组中相邻的值。
您可以执行一个过滤器来确定哪些日子匹配:
$matches = array_filter($months['09'], function($item) use ($current_day_in_loop) {
return $item['start'] == $current_day_in_loop;
});
// if $matches is empty, there were no matches, etc.
foreach ($matches as $index => $item) {
// $months['09'][$index] is the item as well
}
请尝试以下示例获取密钥:
//loop start
if (($key = array_search($searchedVal, $dataArr)) !== false) {
echo $key;
}
// loop end
如果匹配为真,我还需要检索相邻的值。在这样做的过程中,我遇到了一个问题:我如何了解子数组的键索引哪里有这样的匹配?例如,如何我知道是否匹配是在
如果我理解正确的话,你遇到的主要问题是你想检索匹配的下一个和前一个元素,但不知道如何,因为你不知道键是什么。
可以通过 next
$months = array(
'01' => array(
'start' => '1',
'end' => '31',
'type' => 'hello',
'amount'=> 2.3,
),
'02' => array(
'start' => '2',
'end' => '31',
'type' => 'best',
'amount'=> 2.5,
),
'03' => array(
'start' => '3',
'end' => '31',
'type' => 'test',
'amount'=> 2.4,
),
);
$matches = array();
$prev = null;
$prev_key = null;
$key = key($months);
$month = reset($months);
while($month) {
$next = next($months);
$next_key = key($months);
foreach(range(1,31) as $current_day_in_loop) {
//if end or start match grab the current, previous and next values
if($month['start'] == $current_day_in_loop
|| $month['end'] == $current_day_in_loop) {
$matches[$key] = $month;
if($prev)
$matches[$prev_key] = $prev;
if($next)
$matches[$next_key] = $next;
}
}
$prev = $month;
$prev_key = $key;
$month = $next;
$key = $next_key;
}
print_r($matches);