1

我有下面的 php 代码,使用 strtotime 将当前时间与当前时间进行了两次比较:

 $timingsfirstTime[0] = date("H:i:s", strtotime(trim($showTimings[0])));
 $timingslastTime[2] = date("H:i:s", strtotime(trim($showTimings[2])));

// 确认第一个节目的开始时间大于频道上最后一个节目的最后时间

        $current_time = date("H:i:s",strtotime('now'));

        $this->assertTrue(($current_time > $timingsfirstTime[0] && $current_time < $timingslastTime[2]),"current time ".$current_time. " is not greater than current show start time ". $timingsfirstTime[0] . " or current time is not less than current show end time ".$timingslastTime[2]); 

但是我的断言以某种方式失败并输出:

当前时间 00:38:45 不大于当前演出开始时间 23:50:00 或当前时间不小于当前演出结束时间 00:50:00

4

1 回答 1

3

您正在进行字符串比较,而不是日期比较,这就是它“失败”的原因。

改为使用DateTime,因为它更易于阅读,代码更少,并且可以在本地进行比较。我还将您的断言分成两个断言,以便更容易判断哪种情况失败:

$now = new DateTime();
$start = new DateTime($showTimings[0]);
$end = new DateTime($showTimings[2]);

$this->assertTrue(
    $now > $start,
    'current time ' . $now->format('H:i:s')
        . ' is not greater than current show start time '
        . $start->format('H:i:s')
);

$this->assertTrue(
    $now < $end,
    'current time ' . $now->format('H:i:s')
        . ' is not less than current show end time '
        . $end->format('H:i:s')
);
于 2012-08-22T00:02:39.777 回答