1

我想要一个循环来检查当前月份、未来 12 个月和过去 4 个月。

例如:今天是 08 年 8 月 1 日。我的循环应该经过四月、五月、六月、七月、八月、九月、十月、十一月、十二月、一月、二月、三月、四月、五月、六月、七月和八月。

我已经尝试过 strotime,但我不知道如何循环 4 个月和未来 12 个月。

这是我的代码

$i = 1; 
$month = strtotime('2013-08-01');

    while($i <= 12) {
        $month_name = date('F', $month);
        echo $month_name;
        echo "<br>";

        $month = strtotime('+1 month', $month);
        $i++;
4

6 回答 6

3

我认为 Yoshi的回答几乎就在那里,但是将DatePeriodDateTime一起使用更加一致,并且使得代码更具可读性恕我直言:-

$oneMonth = new \DateInterval('P1M');
$startDate = \DateTime::createFromFormat('d H:i:s', '1 00:00:00')->sub(new \DateInterval('P4M'));
$period = new \DatePeriod($startDate, $oneMonth, 16);

foreach($period as $date){
    //$date is an instance of \DateTime. I'm just var_dumping it for illustration
    var_dump($date);
}

看到它工作

于 2013-08-08T12:41:56.283 回答
2

这可能非常棘手,我会这样做:

$month = date("n", "2013-08-01") - 1; // -1 to get 0-11 so we can do modulo

// since you want to go back 4 you can't just do $month - 4, use module trick:
$start_month = $month + 8 % 12;
// +8 % 12 is the same is -4 but without negative value issues
// 2 gives you: 2+8%12 = 10 and not -2

for ($i = 0; $i < 16; $i += 1) {
    $cur_month = ($start_month + $i) % 12 + 1; // +1 to get 1-12 range back
    $month_name = date('F Y', strtotime($cur_month . " months"));
    var_dump(month_name);
}
于 2013-08-08T09:40:07.723 回答
1

您的代码,只是稍作修改。

date_default_timezone_set('UTC');

$i = 1;
$month = strtotime('-4 month');

while($i <= 16) {
    $month_name = date('F', $month);
    echo $month_name;
    echo "<br>";

    $month = strtotime('+1 month', $month);
    $i++;
}
于 2013-08-08T09:50:02.520 回答
1

像这样的东西?:

$start = -4;
$end = 12;

for($i=$start; $i<=$end;$i++) {
    $month_name = date('F Y', strtotime("$i months"));
    echo $month_name;
    echo "<br>";
}
于 2013-08-08T09:37:48.013 回答
1

最简单的解决方案:

for($i=-4; $i<=12; $i++) {
    echo date("F",strtotime( ($i > 0) ? "+$i months" : "$i months") )."\n";
}

解释:

循环从 -4 开始,一直到 12(总共 17,包括 0)。内部的三元语句strtotime()只是检查 $i 是否为正,如果是,+则插入 a 以便我们得到strtotime("+1 months")类似的结果。

达达!

于 2013-08-08T09:49:54.963 回答
0

使用DateTime是最简单且更易读的方法。我会这样做:

$from = new DateTime('-4 month');
$to   = new DateTime('+12 month');
while($from < $to){
  echo $from->modify('+1 month')->format('F');
}
于 2015-01-25T22:48:02.193 回答