我正在使用php并尝试将小数转换为时间(hh:mm) 但它不适用于任何代码并经过测试,原始字符串来自excel 例如:
0.625 = 15:00
0.53541666666667 = 12:51
0.40277777777778 = 09:40
答案 0 :(得分:5)
我通常建议使用DateTime
类进行任何日期算术,而不是手动处理。它会考虑任何日光节约/等(尽管从您的问题中不清楚是否需要这样做。)
<?php
/**
* @param float $x Decimal number of hours
* @return string HH:mm
*/
function dec_hours($x) {
$sec = intval($x * (24 * 60 * 60));
$date = new DateTime("today +$sec seconds");
return $date->format('H:i');
}
echo dec_hours(0.625); // 15:00
echo dec_hours(0.53541666666667); // 12:51
echo dec_hours(0.40277777777778); // 09:40
答案 1 :(得分:3)
$dec = 0.625;
这很简单。要将小数转换为小时,请使用24进行乘法。
$hours = $dec * 24;
现在要将小数转换为hours:mins
,请使用:
function convertTime($dec)
{
// start by converting to seconds
$seconds = ($dec * 3600);
// we're given hours, so let's get those the easy way
$hours = floor($dec);
// since we've "calculated" hours, let's remove them from the seconds variable
$seconds -= $hours * 3600;
// calculate minutes left
$minutes = floor($seconds / 60);
// remove those from seconds as well
$seconds -= $minutes * 60;
// return the time formatted HH:MM:SS
return lz($hours).":".lz($minutes).":".lz($seconds);
}
// lz = leading zero
function lz($num)
{
return (strlen($num) < 2) ? "0{$num}" : $num;
}
echo convertTime($hours);