Reputation: 1633
How can I Convert HH:MM:SS into minute using javascript ?
Upvotes: 15
Views: 24570
Reputation: 1801
To know time functions & formats in JS you must read the manual.
var date = new Date();
console.log(date.getMinutes());
Upvotes: -8
Reputation: 26961
Use split and multiply per 60 ignoring seconds.
Taking this answer as base:
var hms = '02:04:33'; // your input string
var a = hms.split(':'); // split it at the colons
// Hours are worth 60 minutes.
var minutes = (+a[0]) * 60 + (+a[1]);
console.log(minutes);
Use split and multiply per 60 using seconds as decimal (thus is not full exact)
var hms = '02:04:33'; // your input string
var a = hms.split(':'); // split it at the colons
// Hours are worth 60 minutes.
var minutes = (+a[0]) * 60 + (+a[1]);
console.log(minutes + "," + ((+a[2]) / 60));
Upvotes: 35