php计算总时数,分和秒

时间:2019-01-16 06:24:44

标签: php time

我估计总共有几个小时,其中包括几个小时-几分钟-几秒钟。 像这样:170:156:230,这意味着170小时156分钟230秒。现在我如何将这个值变成这样的东西:172:59:59。 总秒数不得超过59秒。 如果更多,则溢出量将增加到一分钟。我会在分钟总数上做同样的事情: 也就是说,分钟总和不超过59,如果是,则溢出量将加到总小时数中。 我已经做到了(当然,这并不完美)

$raw_times = ['h'=>102, 'm'=>353, 's'=>345];

foreach (array_reverse($raw_times) as $type => $value) {
     switch ($type) {
         case 's':
             if (60 < $value) {
                 while ((60 < $value) && (0 <= $value)) {
                     $sec_overlap += 60;
                     $value -= 60;
                 }

                $raw_times['s'] = $value;
                $raw_times['m'] += $sec_overlap;
                return $raw_times;
            }
                break;
                case 'm':
                    // some thing like above...
                    break;
            }
        }

1 个答案:

答案 0 :(得分:3)

除以60即可进行简单计算。

function convert($param) {
    $hms = array_map('intval', explode(':', $param));
    $hms[1] += floor($hms[2] / 60);
    $hms[2] %= 60;

    $hms[0] += floor($hms[1] / 60);
    $hms[1] %= 60;

    return implode(': ', $hms);
}

echo convert('170: 156: 230 ');

如果您将参数用作数组:

function convert($hms) {
    $hms['m'] += floor($hms['s'] / 60);
    $hms['s'] %= 60;

    $hms['h'] += floor($hms['m'] / 60);
    $hms['m'] %= 60;

    return $hms;
}

print '<pre>';
print_r(convert(['h'=>102, 'm'=>353, 's'=>345]));
print '</pre>';