2

我正在编写一个 php 脚本,该脚本在每周的星期一进行迭代。

然而,脚本在 10 月 22 日之后似乎变得不同步。

<?php

$october_8th = strtotime("2012-10-08");

$one_week = 7 * 24 * 60 * 60;

$october_15th = $october_8th + $one_week;
$october_22nd = $october_15th + $one_week;
$october_29th = $october_22nd + $one_week;
$november_5th = $october_29th + $one_week;

echo date("Y-m-d -> l", $october_8th) . '<br />';
echo date("Y-m-d -> l", $october_15th) . '<br />';
echo date("Y-m-d -> l", $october_22nd) . '<br />';
echo date("Y-m-d -> l", $october_29th) . '<br />';
echo date("Y-m-d -> l", $november_5th) . '<br />';

这将输出:

2012-10-08 -> Monday
2012-10-15 -> Monday
2012-10-22 -> Monday
2012-10-28 -> Sunday
2012-11-04 -> Sunday

我希望它会说是 10 月 29 日,但它被困在 28 日。

我应该如何解决这个问题?

4

2 回答 2

5

首选是使用 PHP 的日期相关类来获取日期。

这些类重要地为您处理夏令时边界,其方式是手动将给定的秒数添加到 Unix 时间戳(strtotime()您使用的数字)不能。

以下示例采用您的开始日期并循环四次,每次都在日期上增加一周。

$start_date  = new DateTime('2012-10-08');
$interval    = new DateInterval('P1W');
$recurrences = 4;

foreach (new DatePeriod($start_date, $interval, $recurrences) as $date) {
    echo $date->format('Y-m-d -> l') . '<br/>';
}

PHP手册链接:

于 2012-07-28T13:04:45.640 回答
1

在写这个问题时,我发现夏令时在 10 月 28 日结束。

因为初始化时的日期不包含特定时间,所以会自动分配午夜。然而,当夏季结束时,这会产生一个问题。突然间,时间不再是午夜,而是在那之前一小时,因此比您预期的要早一天。

一个简单的解决方法是将时间初始化为中午而不是午夜:

$october_8th = strtotime("2012-10-08 12:00");

也许可能有更优雅的解决方案(欢迎您留下一个),但这将用于此目的。

于 2012-07-28T12:05:26.527 回答