PHP二月日期:“2015-01-31”+1月:“2015-03-30”。怎么修?

时间:2015-02-05 18:22:42

标签: php date datetime

如果我使用此代码,我会得到奇怪的结果:

$datetime = new DateTime('2015-01-31');
$datetime->modify('+1 month');
echo $datetime->format('Y-m-t') . "<br>";
$datetime->modify('+1 month');
echo $datetime->format('Y-m-t') . "<br>";
$datetime->modify('+1 month');
echo $datetime->format('Y-m-t') . "<br>";

我明白了:

2015-03-31
2015-04-30
2015-05-31

而不是2015-02-28

如何解决?

4 个答案:

答案 0 :(得分:3)

DateTime的工作方式,+ 1 month将月份值增加1,为您提供2015-02-31。由于二月只有28天或29天,所以评估到3月的前几天。然后,如你所知,要求Y-m-t会给你3月的最后一天。

由于您已经使用t来获取该月的最后一天,因此您可以通过启动来避免此问题,而日期应该是月初:

$datetime = new DateTime('2015-01-01');

参考:PHP DateTime::modify adding and subtracting months

答案 1 :(得分:1)

您可以尝试使用此功能将月份添加到日期时间对象

    /**
 * 
 * @param \DateTime $date DateTime object
 * @param int $monthToAdd Months to add at time
 */
function addMonth(\DateTime $date, $monthToAdd)
{
    $year = $date->format('Y');
    $month = $date->format('n');
    $day = $date->format('d');

    $year += floor($monthToAdd / 12);
    $monthToAdd = $monthToAdd % 12;
    $month += $monthToAdd;
    if ($month > 12) {
        $year ++;
        $month = $month % 12;
        if ($month === 0) {
            $month = 12;
        }
    }

    if (! checkdate($month, $day, $year)) {
        $newDate = \DateTime::createFromFormat('Y-n-j', $year . '-' . $month . '-1');
        $newDate->modify('last day of');
    } else {
        $newDate = \DateTime::createFromFormat('Y-n-d', $year . '-' . $month . '-' . $day);
    }
    $newDate->setTime($date->format('H'), $date->format('i'), $date->format('s'));

    return $newDate->format('Y-m-d');
}

echo addMonth(new \DateTime('2015-01-30'), 1); //2015-02-28
echo addMonth(new \DateTime('2015-01-30'), 2); //2015-03-30
echo addMonth(new \DateTime('2015-01-30'), 3); //2015-04-30

答案 2 :(得分:0)

如果您想要获得下个月的最后一天,可以使用:

$datetime->modify('last day of next month');

答案 3 :(得分:-2)

修复此问题。

$datetime = new DateTime('2015-01-31');
$datetime->modify('28 days');
echo $datetime->format('Y-m-t') . "<br>";
$datetime->modify('+1 month');
echo $datetime->format('Y-m-t') . "<br>";
$datetime->modify('+1 month');
echo $datetime->format('Y-m-t') . "<br>";

你会得到

2015-02-28
2015-03-31
2015-04-30
相关问题