$somedate = "1980-02-15";
$otherdate = strtotime('+1 year', strtotime($somedate));
echo date('Y-m-d', $otherdate);
输出
1981-02-15
和
$somedate = "1980-02-15";
$otherdate = strtotime('+2 year', strtotime($somedate));
echo date('Y-m-d', $otherdate);
输出
1982-02-15
但
$somedate = "1980-02-15";
$otherdate = strtotime('+75 year', strtotime($somedate));
echo date('Y-m-d', $otherdate);
输出
1970-01-01
如何解决?
答案 0 :(得分:5)
这是2038 bug,就像y2k一样,由于32位的限制,系统无法在那一年之后处理日期。使用DateTime class代替哪个可以解决此问题。
适用于PHP 5.3 +
$date = new DateTime('1980-02-15');
$date->add(new DateInterval('P75Y'));
echo $date->format('Y-m-d');
对于PHP 5.2
$date = new DateTime('1980-02-15');
$date->modify('+75 year');
echo $date->format('Y-m-d');
答案 1 :(得分:3)
strtotime()使用unix时间戳,如果它试图计算2038年以后的年份并恢复到1970年,它就会溢出。
要解决此问题,请使用DateTime对象。 http://php.net/manual/en/book.datetime.php
要向DateTime对象添加一段时间,请使用DateTime :: add,它将DateInterval作为参数。 http://php.net/manual/en/datetime.add.php http://www.php.net/manual/en/class.dateinterval.php
$date = new DateTime("1980-02-15");
if (method_exists("DateTime", "add")) {
$date->add(new DateInterval("Y75"));
} else {
$date->modify("+75 years");
}
echo $date->format("Y-m-d");
答案 2 :(得分:1)
对于unix时间戳,最大可表示时间为2038-01-19。在UTC时间03:14:07。
因此,您无法使用时间戳表示/操作时间。
答案 3 :(得分:1)
PHP的日期限制在01-01-1970至19-01-2038之间。您将不得不使用不同的方法来处理日期。
PEAR有一个Date类:PEAR Date
答案 4 :(得分:0)