给定一个如下所示的数组:
$months = array("mar","jun","sep","dec");
当月:
$current_month = date("m");
有没有办法找到当月的下一个最接近的月份?
例如:
答案 0 :(得分:3)
假设您想要获得当前季度的最后一个月,您可以这样做:
$monthName = ["mar", "jun", "sep", "dec"][floor((date('n') - 1) / 3)];
答案 1 :(得分:2)
只需要添加所有月份并打印下一个蛾的位置。
<?php
$months = array("jan", "feb", "mar", "apr", "may", "jun", "jul", "aug", "sep", "oct", "nov", "dec");
$current_month = date("m");
// The next moth must be the current month + 1 but as the index start from 0 we dont need to add + 1
// So we print
echo $months[ $current_month % count($months)];
当数组位置从0开始时,您不需要添加+1
答案 2 :(得分:1)
我喜欢@ Rizier123的解决方案,所以我想我会写一个实现。
首先,让我们将months数组转换为代表月份的数值。我们将保留文本作为最后使匹配过程更容易的关键。如果你能控制那几个月,那就很简单了:
$months = [ 'mar' => 3, 'jun' => 6, 'sep' => 9, 'dec' => 12];
如果您无法控制阵列,则需要通过array_map()
运行并使用日期进行转换:
$month_keys = $months;
$months = array_map( function( $month ) {
return date( 'm', strtotime( $month ) );
}, $months );
$months = array_combine( $month_keys, $months );
然后让我们找到数组中下一个最接近的值:
$closest_month = null;
foreach ( $months as $month_text => $month_num ) {
if ( $current_month <= $month_num ) {
$closest_month = $month_text;
break;
}
}
$closest_month
现在应符合您提问中列出的所有条件。