我只想在脚本执行时通过CLI执行脚本输出。
为此,我在脚本的开头设置了一个var
$start_time = time();
然后在最后
date('H:i:s',time() - $start_time);
问题是,即使经过的时间可能在几秒或几分钟的范围内,它也会打印出至少一个小时的时间:
>>> echo date('H:i:s',1);
01:00:01
>>> echo date('H:i:s', 10);
01:00:10
>>> echo date('H:i:s',3599);
01:59:59
>>> echo date('H:i:s',3600);
02:00:00
不应该显示00:XX:YY,不到一小时过去了吗? 有什么我想念的,有没有错误?
感谢您的帮助!
答案 0 :(得分:2)
不要使用日期()。当你有time() - $start_time
时,结果是以秒为单位。如果你想要它可以将它加倍,或者使用以下函数将秒转换为小时,分钟和秒。
<?php /**
*
* @convert seconds to hours minutes and seconds
*
* @param int $seconds The number of seconds
*
* @return string
*
*/
function secondsToWords($seconds) {
/*** return value ***/
$ret = "";
/*** get the hours ***/
$hours = intval(intval($seconds) / 3600);
if($hours > 0)
{
$ret .= "$hours hours ";
}
/*** get the minutes ***/
$minutes = bcmod((intval($seconds) / 60),60);
if($hours > 0 || $minutes > 0)
{
$ret .= "$minutes minutes ";
}
/*** get the seconds ***/
$seconds = bcmod(intval($seconds),60);
$ret .= "$seconds seconds";
return $ret;
} ?>
使用示例:
<?php
/*** time since EPOCH ***/
echo secondsToWords(time());
?>
答案 1 :(得分:2)
您可以尝试此功能:
<?
$time = strtotime('2010-04-28 17:25:43');
echo 'event happened '.humanTiming($time).' ago';
function humanTiming ($time)
{
$time = time() - $time; // to get the time since that moment
$tokens = array (
31536000 => 'year',
2592000 => 'month',
604800 => 'week',
86400 => 'day',
3600 => 'hour',
60 => 'minute',
1 => 'second'
);
foreach ($tokens as $unit => $text) {
if ($time < $unit) continue;
$numberOfUnits = floor($time / $unit);
return $numberOfUnits.' '.$text.(($numberOfUnits>1)?'s':'');
}
}
?>
从这里: PHP How to find the time elapsed since a date time?
这将为您提供更好的方法来获得差异。只需将strtotime('2010-04-28 17:25:43');
替换为您的开始日期/时间(作为时间戳)。其中一个好处是功能可以在其他地方重新使用。
答案 2 :(得分:2)
试试这个:
echo "Time left:". date('H:i:s', (strtotime('2000-01-01 00:00:00') + (time()-$start_time) ));
答案 3 :(得分:0)
使用gmdate()代替date()来显示正确的时差并补偿服务器的时区
答案 4 :(得分:0)
此函数提供“完全”格式化的人类可读时间字符串..
function humantime ($oldtime, $newtime = null, $returnarray = false) {
if(!$newtime) $newtime = time();
$time = $newtime - $oldtime; // to get the time since that moment
$tokens = array (
31536000 => 'year',
2592000 => 'month',
604800 => 'week',
86400 => 'day',
3600 => 'hour',
60 => 'minute',
1 => 'second'
);
$htarray = array();
foreach ($tokens as $unit => $text) {
if ($time < $unit) continue;
$numberOfUnits = floor($time / $unit);
$htarray[$text] = $numberOfUnits.' '.$text.(($numberOfUnits>1)?'s':'');
$time = $time - ( $unit * $numberOfUnits );
}
if($returnarray) return $htarray;
return implode(' ', $htarray);
}