Han*_*sir 203 javascript time date date-format time-format
如何HH-MM-SS使用JavaScript 将秒转换为字符串?
Har*_*chu 351
您可以使用JavaScript Date方法在没有任何外部JavaScript库的情况下执行此操作,如下所示:
var date = new Date(null);
date.setSeconds(SECONDS); // specify value for SECONDS here
var result = date.toISOString().substr(11, 8);
T.J*_*der 133
我认为标准Date对象的任何内置功能都不会以比自己进行数学运算更方便的方式为您执行此操作.
hours = Math.floor(totalSeconds / 3600);
totalSeconds %= 3600;
minutes = Math.floor(totalSeconds / 60);
seconds = totalSeconds % 60;
例:
let totalSeconds = 28565;
let hours = Math.floor(totalSeconds / 3600);
totalSeconds %= 3600;
let minutes = Math.floor(totalSeconds / 60);
let seconds = totalSeconds % 60;
console.log("hours: " + hours);
console.log("minutes: " + minutes);
console.log("seconds: " + seconds);
// If you want strings with leading zeroes:
minutes = String(minutes).padStart(2, "0");
hours = String(hours).padStart(2, "0");
seconds = String(seconds).padStart(2, "0");
console.log(hours + ":" + minutes + ":" + seconds);Cle*_*ton 100
你不知道datejs吗?这是必须知道的.
使用datejs,只需写下:
(new Date).clearTime()
          .addSeconds(15457)
          .toString('H:mm:ss');
--update
现在date.js已经过时而没有维护,所以请使用" Moment.js ",这比TJ Crowder指出要好得多.
San*_*dez 40
我知道这有点老了,但......
ES2015:
var toHHMMSS = (secs) => {
    var sec_num = parseInt(secs, 10)
    var hours   = Math.floor(sec_num / 3600)
    var minutes = Math.floor(sec_num / 60) % 60
    var seconds = sec_num % 60
    return [hours,minutes,seconds]
        .map(v => v < 10 ? "0" + v : v)
        .filter((v,i) => v !== "00" || i > 0)
        .join(":")
}
它将输出:
toHHMMSS(129600) // 36:00:00
toHHMMSS(13545) // 03:45:45
toHHMMSS(180) // 03:00
toHHMMSS(18) // 00:18
Der*_*ler 33
正如Cleiton在他的回答中指出的那样,moment.js可用于此:
moment().startOf('day')
        .seconds(15457)
        .format('H:mm:ss');
Dim*_* L. 19
function formatSeconds(seconds)
{
    var date = new Date(1970,0,1);
    date.setSeconds(seconds);
    return date.toTimeString().replace(/.*(\d{2}:\d{2}:\d{2}).*/, "$1");
}
Wag*_*ers 16
这样做的诀窍:
function secondstotime(secs)
{
    var t = new Date(1970,0,1);
    t.setSeconds(secs);
    var s = t.toTimeString().substr(0,8);
    if(secs > 86399)
        s = Math.floor((t - Date.parse("1/1/70")) / 3600000) + s.substr(2);
    return s;
}
(来自这里)
Pet*_*ský 12
我认为最通用(且神秘)的解决方案可能是这样的
function hms(seconds) {
  return [3600, 60]
    .reduceRight(
      (pipeline, breakpoint) => remainder =>
        [Math.floor(remainder / breakpoint)].concat(pipeline(remainder % breakpoint)),
      r => [r]
    )(seconds)
    .map(amount => amount.toString().padStart(2, '0'))
    .join('-');
}
或者复制并粘贴最短的版本
function hms(seconds) {
  return [3600, 60]
    .reduceRight(
      (p, b) => r => [Math.floor(r / b)].concat(p(r % b)),
      r => [r]
    )(seconds)
    .map(a => a.toString().padStart(2, '0'))
    .join('-');
}
一些示例输出:
> hms(0)
< "00-00-00"
> hms(5)
< "00-00-05"
> hms(60)
< "00-01-00"
> hms(3785)
< "01-03-05"
> hms(37850)
< "10-30-50"
> hms(378500)
< "105-08-20"
将各个金额保存在数组中以便于格式化也很好。
例如,输入 3785 秒,输出应为[1, 3, 5],即 1 小时 3 分 5 秒。
将 3600 和 60 常量命名为“断点”,您可以将此算法写入函数中,如下所示
function divideAndAppend(remainder, breakpoint, callback) {
  return [Math.floor(remainder / breakpoint)].concat(callback(remainder % breakpoint));
}
它返回一个数组,其中第一项是给定断点的数量,数组的其余部分由回调给出。重用divideAndAppendin 回调函数将为您提供一个组合 divideAndAppend函数的管道。其中每一个都会计算每个给定断点的数量并将其附加到数组中以生成所需的输出。
然后,您还需要结束该管道的“最终”回调。换句话说,您使用了所有断点,现在只剩下剩余的断点。由于您已经在 3) 处得到了答案,因此您应该使用某种恒等函数,在本例中为remainder => [remainder]。
您现在可以像这样编写管道
let pipeline = r3 => divideAndAppend(
    r3, 
    3600, 
    r2 => divideAndAppend(
        r2, 
        60, 
        r1 => [r1]));
> pipeline(3785)
< [1, 3, 5]
很酷吧?
现在,您可以使用可变数量的断点进行概括,并创建一个 for 循环,将各个divideAndAppend函数组合到管道中。您从恒等函数开始r1 => [r1],然后使用60断点,最后使用3600断点。
let breakpoints = [60, 3600];
let pipeline = r => [r];
for (const b of breakpoints) {
  const previousPipeline = pipeline;
  pipeline = r => divideAndAppend(r, b, previousPipeline);
}
> pipeline(3785)
< [1, 3, 5]
Array.prototype.reduce()现在,您可以将此 for 循环重写为 reducer,以获得更短、更实用的代码。换句话说,将函数组合重写到reducer 中。
let pipeline = [60, 3600].reduce(
  (ppln, b) => r => divideAndAppend(r, b, ppln),
  r => [r]
);
> pipeline(3785)
< [1, 3, 5]
累加器ppln是管道,您正在使用它的早期版本来编写它。初始管道是r => [r].
您现在可以内联该函数divideAndAppend并使用与Array.prototype.reduceRight相同的功能来[].reverse().reduce(...)使断点定义更加自然。
let pipeline = [3600, 60]
    .reduceRight(
      (ppln, b) => r => [Math.floor(r / b)].concat(ppln(r % b)),
      r => [r]
    );
这是最终的形式。然后,您只需应用映射到左侧填充 0 的字符串,并使用分隔符连接字符串即可:;
将减速器包装到函数中
function decompose(total, breakpoints) {
  return breakpoints.reduceRight(
    (p, b) => r => [Math.floor(r / b)].concat(p(r % b)),
    r => [r]
  )(total);
}
> decompose(3785, [3600, 60])
< [1, 3, 5]
现在你已经有了可以使用的非常通用的算法。例如:
鉴于标准
| 单元 | 部门 | 
|---|---|
| 1 英尺 | 12英寸 | 
| 1码 | 3英尺 | 
| 1 英里 | 1760 码 | 
> decompose(123_456, [1760 * 3 * 12, 3 * 12, 12])
< [1, 1669, 1, 0]
123456 英寸 = 1 英里、1669 码、1 英尺和 0 英寸
> decompose(123_456, [100_000, 10_000, 1000, 100, 10])
< [1, 2, 3, 4, 5, 6]
> decompose(127, [128, 64, 32, 16, 8, 4, 2])
< [0, 1, 1, 1, 1, 1, 1, 1]
由于Javascript支持mod浮点数运算符,你也可以这样做
> decompose(26.5, [20, 2.5])
< [1, 2, 1.5]
> decompose(123, [])
< [123]
she*_*riy 10
     var  timeInSec = "661"; //even it can be string
            String.prototype.toHHMMSS = function () { 
               /* extend the String by using prototypical inheritance */
                var seconds = parseInt(this, 10); // don't forget the second param
                var hours   = Math.floor(seconds / 3600);
                var minutes = Math.floor((seconds - (hours * 3600)) / 60);
                seconds = seconds - (hours * 3600) - (minutes * 60);
                if (hours   < 10) {hours   = "0"+hours;}
                if (minutes < 10) {minutes = "0"+minutes;}
                if (seconds < 10) {seconds = "0"+seconds;}
                var time    = hours+':'+minutes+':'+seconds;
                return time;
            }
            alert("5678".toHHMMSS());   // "01:34:38"
            console.log(timeInSec.toHHMMSS());   //"00:11:01"
我们可以使这个功能更短更清晰,但这会降低可读性,因此我们将尽可能简单地编写并尽可能稳定.
或者你可以在这里查看这个:
试试这个:
function toTimeString(seconds) {
  return (new Date(seconds * 1000)).toUTCString().match(/(\d\d:\d\d:\d\d)/)[0];
}
这是Number类的扩展.toHHMMSS()将秒转换为hh:mm:ss字符串.
Number.prototype.toHHMMSS = function() {
  var hours = Math.floor(this / 3600) < 10 ? ("00" + Math.floor(this / 3600)).slice(-2) : Math.floor(this / 3600);
  var minutes = ("00" + Math.floor((this % 3600) / 60)).slice(-2);
  var seconds = ("00" + (this % 3600) % 60).slice(-2);
  return hours + ":" + minutes + ":" + seconds;
}
// Usage: [number variable].toHHMMSS();
// Here is a simple test
var totalseconds = 1234;
document.getElementById("timespan").innerHTML = totalseconds.toHHMMSS();// HTML of the test
<div id="timespan"></div>noobies易于遵循的版本:
 var totalNumberOfSeconds = YOURNUMBEROFSECONDS;
 var hours = parseInt( totalNumberOfSeconds / 3600 );
 var minutes = parseInt( (totalNumberOfSeconds - (hours * 3600)) / 60 );
 var seconds = Math.floor((totalNumberOfSeconds - ((hours * 3600) + (minutes * 60))));
 var result = (hours < 10 ? "0" + hours : hours) + ":" + (minutes < 10 ? "0" + minutes : minutes) + ":" + (seconds  < 10 ? "0" + seconds : seconds);
 console.log(result);
这个函数应该做到这一点:
var convertTime = function (input, separator) {
    var pad = function(input) {return input < 10 ? "0" + input : input;};
    return [
        pad(Math.floor(input / 3600)),
        pad(Math.floor(input % 3600 / 60)),
        pad(Math.floor(input % 60)),
    ].join(typeof separator !== 'undefined' ?  separator : ':' );
}
在不传递分隔符的情况下,它:用作(默认)分隔符:
time = convertTime(13551.9941351); // --> OUTPUT = 03:45:51
如果要-用作分隔符,只需将其作为第二个参数传递:
time = convertTime(1126.5135155, '-'); // --> OUTPUT = 00-18-46
另请参见此Fiddle。
小智 5
在这个旧线程中加入 - OP 声明为 HH:MM:SS,并且许多解决方案都有效,直到您意识到需要列出 24 小时以上。也许您只需要一行代码。干得好:
d=(s)=>{f=Math.floor;g=(n)=>('00'+n).slice(-2);return f(s/3600)+':'+g(f(s/60)%60)+':'+g(s%60)}
它返回 H+:MM:SS。要使用它,只需使用:
d(91260);     // returns "25:21:00"
d(960);       // returns "0:16:00"
...我试图让它使用尽可能少的代码,以获得一种很好的单行方法。
对于FFMPEG用于指定毫秒的HH:MM:SS.MS (eq: "00:04:33.637")的特殊情况。
[-][HH:]MM:SS[.m...]
HH 表示小时数,MM 表示分钟数,最多 2 位,SS 表示秒数,最多 2 位。末尾的 m 表示 SS 的十进制值。
/* HH:MM:SS.MS to (FLOAT)seconds ---------------*/
function timerToSec(timer){
   let vtimer = timer.split(":")
   let vhours = +vtimer[0]
   let vminutes = +vtimer[1]
   let vseconds = parseFloat(vtimer[2])
   return vhours * 3600 + vminutes * 60 + vseconds
}
/* Seconds to (STRING)HH:MM:SS.MS --------------*/
function secToTimer(sec){
  let o = new Date(0)
  let p =  new Date(sec*1000)  
  return new Date(p.getTime()-o.getTime())
    .toISOString()
    .split("T")[1]
    .split("Z")[0]
}
/* Example: 7hours, 4 minutes, 33 seconds and 637 milliseconds */
const t = "07:04:33.637"
console.log(
  t + " => " +
  timerToSec(t) +
  "s"
)
/* Test: 25473 seconds and 637 milliseconds */
const s = 25473.637 // "25473.637"
console.log(
  s + "s => " + 
  secToTimer(s)
)示例用法,毫秒传输计时器:
/* Seconds to (STRING)HH:MM:SS.MS --------------*/
function secToTimer(sec){
  let o = new Date(0)
  let p =  new Date(sec*1000)  
  return new Date(p.getTime()-o.getTime())
    .toISOString()
    .split("T")[1]
    .split("Z")[0]
}
let job, origin = new Date().getTime()
const timer = () => {
  job = requestAnimationFrame(timer)
  OUT.textContent = secToTimer((new Date().getTime() - origin) / 1000)
}
requestAnimationFrame(timer)span {font-size:4rem}<span id="OUT"></span>
<br>
<button onclick="origin = new Date().getTime()">RESET</button>
<button onclick="requestAnimationFrame(timer)">RESTART</button>
<button onclick="cancelAnimationFrame(job)">STOP</button>示例用法,绑定到媒体元素
/* Seconds to (STRING)HH:MM:SS.MS --------------*/
function secToTimer(sec){
  let o = new Date(0)
  let p =  new Date(sec*1000)  
  return new Date(p.getTime()-o.getTime())
    .toISOString()
    .split("T")[1]
    .split("Z")[0]
}
VIDEO.addEventListener("timeupdate", function(e){
  OUT.textContent = secToTimer(e.target.currentTime)
}, false)span {font-size:4rem}<span id="OUT"></span><br>
<video id="VIDEO" width="400" controls autoplay>
  <source src="https://www.w3schools.com/html/mov_bbb.mp4" type="video/mp4">
</video>在问题之外,用php编写的那些函数:
<?php 
/* HH:MM:SS to (FLOAT)seconds ------------------*/
function timerToSec($timer){
  $vtimer = explode(":",$timer);
  $vhours = (int)$vtimer[0];
  $vminutes = (int)$vtimer[1];
  $vseconds = (float)$vtimer[2];
  return $vhours * 3600 + $vminutes * 60 + $vseconds;
}
/* Seconds to (STRING)HH:MM:SS -----------------*/
function secToTimer($sec){
  return explode(" ", date("H:i:s", $sec))[0];  
}
| 归档时间: | 
 | 
| 查看次数: | 250798 次 | 
| 最近记录: |