16

如何在 php 中减去微时间并以毫秒为单位显示日期?

例如:我已设置结束日期和时间

$endtime = 2012-02-21 10:29:59;

然后我有从微时间转换的当前日期或开始日期

$starttime = 2012-02-21 10:27:59.452;

function getTimestamp()
{
        $microtime = floatval(substr((string)microtime(), 1, 8));
        $rounded = round($microtime, 3);
        return date("Y-m-d H:i:s") . substr((string)$rounded, 1, strlen($rounded));
}

echo getTimestamp(); //sample output 2012-02-21 10:27:59.452

现在我要减去: $finaldate = $endtime - $starttime;

我希望我的输出是这样的:00:00:02.452

4

2 回答 2

26

您需要使用microtime开始/结束值,并且仅将其格式化以在最后显示。

// Get the start time in microseconds, as a float value
$starttime = microtime(true);

/************/
/* Do stuff */
/************/

// Get the difference between start and end in microseconds, as a float value
$diff = microtime(true) - $starttime;

// Break the difference into seconds and microseconds
$sec = intval($diff);
$micro = $diff - $sec;

// Format the result as you want it
// $final will contain something like "00:00:02.452"
$final = strftime('%T', mktime(0, 0, $sec)) . str_replace('0.', '.', sprintf('%.3f', $micro));

注意:这是返回浮点值microtime并使用浮点算术来简化数学运算,因此由于浮点舍入问题,您的数字可能会略微偏离,但无论如何您最终会将结果四舍五入为 3 位数,并且波动很小无论如何,处理器时序大于浮点错误,因此在多个级别上这对您来说都不是问题。

于 2012-02-21T03:00:51.593 回答
3

那么 phpmyadmin 使用这样的代码来计算查询所花费的时间。它类似于您的要求:

//time before
list($usec, $sec) = explode(' ',microtime($starttime));
$querytime_before = ((float)$usec + (float)$sec);
/* your code */

//time after
list($usec, $sec) = explode(' ',microtime($endtime));
$querytime_after = ((float)$usec + (float)$sec);
$querytime = $querytime_after - $querytime_before;

我认为这应该对你有用。你只需要弄清楚你的输出格式

于 2012-02-21T03:04:28.807 回答