JavaScriptを使用して秒をHH-MM-SS
文字列に変換するにはどうすればよいですか?
次のようなJavaScript Dateメソッドの助けを借りて、外部JavaScriptライブラリなしでこれを管理できます。
var date = new Date(null);
date.setSeconds(SECONDS); // specify value for SECONDS here
var result = date.toISOString().substr(11, 8);
または、 @ Frank のコメントに従って;ワンライナー:
new Date(SECONDS * 1000).toISOString().substr(11, 8);
標準の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);
Cleitonが his answer で指摘したように、これには moment.js を使用できます。
moment().startOf('day')
.seconds(15457)
.format('H:mm:ss');
私はこれがちょっと古いことを知っていますが...
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
function formatSeconds(seconds)
{
var date = new Date(1970,0,1);
date.setSeconds(seconds);
return date.toTimeString().replace(/.*(\d{2}:\d{2}:\d{2}).*/, "$1");
}
これはトリックを行います:
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;
}
(ソースは here )
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"
この関数をより短く、鮮明にすることができますが、読みやすさは低下します。そのため、できるだけ単純で、できるだけ安定して記述します。
または、この動作を確認できます here :
これを試して:
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>
初心者向けの簡単なバージョン:
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
-
をセパレーターとして使用する場合は、2番目のパラメーターとして渡します。
time = convertTime(1126.5135155, '-'); // --> OUTPUT = 00-18-46
this Fiddle も参照してください。
以下は、秒をhh-mm-ss形式に変換する特定のコードです。
var measuredTime = new Date(null);
measuredTime.setSeconds(4995); // specify value of SECONDS
var MHSTime = measuredTime.toISOString().substr(11, 8);
JavaScriptで秒をHH-MM-SS形式に変換する から別のメソッドを取得する
上記のニースの答えに少し説明したかっただけです。
var totalSec = new Date().getTime() / 1000;
var hours = parseInt( totalSec / 3600 ) % 24;
var minutes = parseInt( totalSec / 60 ) % 60;
var seconds = totalSec % 60;
var result = (hours < 10 ? "0" + hours : hours) + "-" + (minutes < 10 ? "0" + minutes : minutes) + "-" + (seconds < 10 ? "0" + seconds : seconds);
2行目では、1時間に3600秒があるため、合計時間数を3600で割って合計時間数を取得します。 parseIntを使用して、小数点を取り除きます。 totalSecが12600(3時間半)の場合、parseInt(totalSec/3600)は3時間を返します。この場合、なぜ%24が必要なのですか? 24時間を超える場合、25時間(90000秒)とすると、ここのモジュロは25を返すのではなく、再び1に戻ります。24時間の制限があるため、結果は24時間以内に制限されます一日で。
このようなものを見るとき:
25 % 24
次のように考えてください:
25 mod 24 or what is the remainder when we divide 25 by 24
この古いスレッドに目を向けると-OPにはHH:MM:SSと記載されており、リストされている24時間以上が必要であることに気付くまで、多くのソリューションが機能します。そして、たぶん、1行以上のコードは必要ありません。どうぞ:
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"
...ニースのワンライナーアプローチのために、可能な限り最小限のコードを使用するようにしました。
var time1 = date1.getTime();
var time2 = date2.getTime();
var totalMilisec = time2 - time1;
alert(DateFormat('hh:mm:ss',new Date(totalMilisec)))
/* ----------------------------------------------------------
* Field | Full Form | Short Form
* -------------|--------------------|-----------------------
* Year | yyyy (4 digits) | yy (2 digits)
* Month | MMM (abbr.) | MM (2 digits)
| NNN (name) |
* Day of Month | dd (2 digits) |
* Day of Week | EE (name) | E (abbr)
* Hour (1-12) | hh (2 digits) |
* Minute | mm (2 digits) |
* Second | ss (2 digits) |
* ----------------------------------------------------------
*/
function DateFormat(formatString,date){
if (typeof date=='undefined'){
var DateToFormat=new Date();
}
else{
var DateToFormat=date;
}
var DAY = DateToFormat.getDate();
var DAYidx = DateToFormat.getDay();
var MONTH = DateToFormat.getMonth()+1;
var MONTHidx = DateToFormat.getMonth();
var YEAR = DateToFormat.getYear();
var FULL_YEAR = DateToFormat.getFullYear();
var HOUR = DateToFormat.getHours();
var MINUTES = DateToFormat.getMinutes();
var SECONDS = DateToFormat.getSeconds();
var arrMonths = new Array("January","February","March","April","May","June","July","August","September","October","November","December");
var arrDay=new Array('Sunday','Monday','Tuesday','Wednesday','Thursday','Friday','Saturday');
var strMONTH;
var strDAY;
var strHOUR;
var strMINUTES;
var strSECONDS;
var Separator;
if(parseInt(MONTH)< 10 && MONTH.toString().length < 2)
strMONTH = "0" + MONTH;
else
strMONTH=MONTH;
if(parseInt(DAY)< 10 && DAY.toString().length < 2)
strDAY = "0" + DAY;
else
strDAY=DAY;
if(parseInt(HOUR)< 10 && HOUR.toString().length < 2)
strHOUR = "0" + HOUR;
else
strHOUR=HOUR;
if(parseInt(MINUTES)< 10 && MINUTES.toString().length < 2)
strMINUTES = "0" + MINUTES;
else
strMINUTES=MINUTES;
if(parseInt(SECONDS)< 10 && SECONDS.toString().length < 2)
strSECONDS = "0" + SECONDS;
else
strSECONDS=SECONDS;
switch (formatString){
case "hh:mm:ss":
return strHOUR + ':' + strMINUTES + ':' + strSECONDS;
break;
//More cases to meet your requirements.
}
}
Dateオブジェクトに秒を追加しようとしましたか?
var dt = new Date();
dt.addSeconds(1234);
サンプル: https://jsfiddle.net/j5g2p0dc/5/
更新:サンプルリンクが見つからなかったため、新しいリンクを作成しました。
T.Jを使用した1行クラウダーのソリューション:
secToHHMMSS = seconds => `${Math.floor(seconds / 3600)}:${Math.floor((seconds % 3600) / 60)}:${Math.floor((seconds % 3600) % 60)}`
1行で、日数もカウントする別のソリューション:
secToDHHMMSS = seconds => `${parseInt(seconds / 86400)}d ${new Date(seconds * 1000).toISOString().substr(11, 8)}`
ソース: https://Gist.github.com/martinbean/2bf88c446be8048814cf02b2641ba276
すべての答えを見て、それらのほとんどに満足していない後、これは私が思いついたものです。私は会話に非常に遅れていることを知っていますが、とにかくここにあります。
function secsToTime(secs){
var time = new Date();
// create Date object and set to today's date and time
time.setHours(parseInt(secs/3600) % 24);
time.setMinutes(parseInt(secs/60) % 60);
time.setSeconds(parseInt(secs%60));
time = time.toTimeString().split(" ")[0];
// time.toString() = "HH:mm:ss GMT-0800 (PST)"
// time.toString().split(" ") = ["HH:mm:ss", "GMT-0800", "(PST)"]
// time.toTimeString().split(" ")[0]; = "HH:mm:ss"
return time;
}
新しいDateオブジェクトを作成し、時間をパラメーターに変更し、Dateオブジェクトを時間文字列に変換し、文字列を分割して必要な部分のみを返すことにより、追加のものを削除しました。
「HH:mm:ss」形式で結果を取得するための正規表現、ロジック、数学のアクロバットの必要性を排除し、代わりに組み込みメソッドに依存するため、このアプローチを共有すると思いました。
こちらのドキュメントをご覧ください: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Date
var sec_to_hms = function(sec){
var min, hours;
sec = sec - (min = Math.floor(sec/60))*60;
min = min - (hours = Math.floor(min/60))*60;
return (hours?hours+':':'') + ((min+'').padStart(2, '0')) + ':'+ ((sec+'').padStart(2, '0'));
}
alert(sec_to_hms(2442542));
Powtacの答えに基づいて秒をhh-mm-ss形式に変換する関数があります here
/**
* Convert seconds to hh-mm-ss format.
* @param {number} totalSeconds - the total seconds to convert to hh- mm-ss
**/
var SecondsTohhmmss = function(totalSeconds) {
var hours = Math.floor(totalSeconds / 3600);
var minutes = Math.floor((totalSeconds - (hours * 3600)) / 60);
var seconds = totalSeconds - (hours * 3600) - (minutes * 60);
// round seconds
seconds = Math.round(seconds * 100) / 100
var result = (hours < 10 ? "0" + hours : hours);
result += "-" + (minutes < 10 ? "0" + minutes : minutes);
result += "-" + (seconds < 10 ? "0" + seconds : seconds);
return result;
}
使用例
var seconds = SecondsTohhmmss(70);
console.log(seconds);
// logs 00-01-10
この問題を解決する多くのオプションがあり、明らかに良いオプションが提案されていますが、ここに最適化されたコードをもう1つ追加したいです
function formatSeconds(sec) {
return [(sec / 3600), ((sec % 3600) / 60), ((sec % 3600) % 60)]
.map(v => v < 10 ? "0" + parseInt(v) : parseInt(v))
.filter((i, j) => i !== "00" || j > 0)
.join(":");
}
10個未満の数字でフォーマットされたゼロが必要ない場合は、使用できます
function formatSeconds(sec) {
return parseInt(sec / 3600) + ':' + parseInt((sec % 3600) / 60) + ':' + parseInt((sec % 3600) % 60);
}
サンプルコード http://fiddly.org/1c476/1
以下のコードも使用できます。
int ss = nDur%60;
nDur = nDur/60;
int mm = nDur%60;
int hh = nDur/60;
String.prototype.toHHMMSS = function () {
var sec_num = parseInt(this, 10); // don't forget the second param
var hours = Math.floor(sec_num / 3600);
var minutes = Math.floor((sec_num - (hours * 3600)) / 60);
var seconds = sec_num - (hours * 3600) - (minutes * 60);
if (hours < 10) {hours = "0"+hours;}
if (minutes < 10) {minutes = "0"+minutes;}
if (seconds < 10) {seconds = "0"+seconds;}
return hours+':'+minutes+':'+seconds;
}
使用例
alert("186".toHHMMSS());
AngularJSを使用している場合、簡単な解決策は、 date API で値をフィルタリングすることです。これにより、要求された形式に基づいてミリ秒が文字列に変換されます。例:
<div>Offer ends in {{ timeRemaining | date: 'HH:mm:ss' }}</div>
これはミリ秒を想定しているため、秒から変換する場合は、timeRemainingに1000を掛けることができます(元の質問が定式化されたため)。
秒数が1日以上であると言っているケースに出くわしました。これは、@ Harish Anchuのより長い期間を占めるトップ評価の回答の適合バージョンです。
function secondsToTime(seconds) {
const arr = new Date(seconds * 1000).toISOString().substr(11, 8).split(':');
const days = Math.floor(seconds / 86400);
arr[0] = parseInt(arr[0], 10) + days * 24;
return arr.join(':');
}
例:
secondsToTime(101596) // outputs '28:13:16' as opposed to '04:13:16'
以前にこのコードを使用して、単純なタイムスパンオブジェクトを作成しました。
function TimeSpan(time) {
this.hours = 0;
this.minutes = 0;
this.seconds = 0;
while(time >= 3600)
{
this.hours++;
time -= 3600;
}
while(time >= 60)
{
this.minutes++;
time -= 60;
}
this.seconds = time;
}
var timespan = new Timespan(3662);
たぶんこのようなもの:
var Convert = function (time) {
const HOUR = 60 * 60;
const MINUTE = 60;
var minutesInSeconds = time % HOUR;
var hours = Math.floor(time / HOUR);
var minutes = Math.floor(minutesInSeconds / MINUTE)
var seconds = minutesInSeconds % MINUTE;
return hours.padStart(2, 0) + ':' + minutes.padStart(2, 0) + ':' + seconds.padStart(2, 0);
}
HH:MM:SS.MS(eq: "00:04:33.637")の特別な場合 で使用される場合ミリ秒を指定するFFMPEG 。
[-] [HH:] MM:SS [.m ...]
HHは時間数、MMは最大2桁の分数、SSは最大2桁の秒数を表します。末尾のmは、SSの10進数値を表します。
/* 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()).toString().split(" ")[4] + "." + p.getMilliseconds()
}
/* Example: 7hours, 4 minutes, 33 seconds and 637 milliseconds */
console.log(
timerToSec("07:04:33.637")
)
/* Test: 25473 seconds and 637 milliseconds */
console.log(
secToTimer(25473.637)
)
使用例、ミリ秒の転送タイマー:
/* 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()).toString().split(" ")[4] + "." + p.getMilliseconds()
}
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()).toString().split(" ")[4] + "." + p.getMilliseconds()
}
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>
対処できるようにしたいので、ここの答えはどれも私の要件を満たしていません
OPではこれらは必須ではありませんが、特に手間がかからない場合は、エッジケースをカバーすることをお勧めします。
OPがsecondsと言うとき、秒数を意味することは明らかです。 String
で関数をペグするのはなぜですか?
function secondsToTimeSpan(seconds) {
const value = Math.abs(seconds);
const days = Math.floor(value / 1440);
const hours = Math.floor((value - (days * 1440)) / 3600);
const min = Math.floor((value - (days * 1440) - (hours * 3600)) / 60);
const sec = value - (days * 1440) - (hours * 3600) - (min * 60);
return `${seconds < 0 ? '-':''}${days > 0 ? days + '.':''}${hours < 10 ? '0' + hours:hours}:${min < 10 ? '0' + min:min}:${sec < 10 ? '0' + sec:sec}`
}
secondsToTimeSpan(0); // => 00:00:00
secondsToTimeSpan(1); // => 00:00:01
secondsToTimeSpan(1440); // => 1.00:00:00
secondsToTimeSpan(-1440); // => -1.00:00:00
secondsToTimeSpan(-1); // => -00:00:01
new Date().toString().split(" ")[4];
結果15:08:03