我得到一个像这样的变量字符串:
早上8:45
如果是下午,则希望将其转换为24小时。这样我就可以放弃am / pm并将其与其他东西一起使用。
我可以很容易地放弃am / pm:
function replaceEnds(string) {
string = string.replace("am", "");
string = string.replace("pm", "");
return string;
}
但是当然如果我这样做,我不知道字符串是上午还是下午,所以我不知道要在字符串上加12小时才能使它成为24小时。
任何人都知道如何解决这个问题?我绝对无法改变我得到的变量输入,它总是小时(12小时时间),分钟,上午或下午。
答案 0 :(得分:5)
使用moment.js:
moment(string, 'h:mm a').format('H:mm');
如果你想手动完成,这将是我的解决方案:
function to24Hour(str) {
var tokens = /([10]?\d):([0-5]\d) ([ap]m)/i.exec(str);
if (tokens == null) { return null; }
if (tokens[3].toLowerCase() === 'pm' && tokens[1] !== '12') {
tokens[1] = '' + (12 + (+tokens[1]));
} else if (tokens[3].toLowerCase() === 'am' && tokens[1] === '12') {
tokens[1] = '00';
}
return tokens[1] + ':' + tokens[2];
}
手动解决方案难以理解,灵活性较差,缺少一些错误检查并需要单元测试。一般来说,您通常应该选择经过充分测试的流行库解决方案,而不是您自己的(如果有经过良好测试的库)。
答案 1 :(得分:5)
不使用任何其他JavaScript库:
/**
* @var amPmString - Time component (e.g. "8:45 PM")
* @returns - 24 hour time string
*/
function getTwentyFourHourTime(amPmString) {
var d = new Date("1/1/2013 " + amPmString);
return d.getHours() + ':' + d.getMinutes();
}
例如:
getTwentyFourHourTime("8:45 PM"); // "20:45"
getTwentyFourHourTime("8:45 AM"); // "8:45"
答案 2 :(得分:2)
如果您正在寻找能够正确转换任何格式为24小时HH:MM的解决方案。
function get24hTime(str){
str = String(str).toLowerCase().replace(/\s/g, '');
var has_am = str.indexOf('am') >= 0;
var has_pm = str.indexOf('pm') >= 0;
// first strip off the am/pm, leave it either hour or hour:minute
str = str.replace('am', '').replace('pm', '');
// if hour, convert to hour:00
if (str.indexOf(':') < 0) str = str + ':00';
// now it's hour:minute
// we add am/pm back if striped out before
if (has_am) str += ' am';
if (has_pm) str += ' pm';
// now its either hour:minute, or hour:minute am/pm
// put it in a date object, it will convert to 24 hours format for us
var d = new Date("1/1/2011 " + str);
// make hours and minutes double digits
var doubleDigits = function(n){
return (parseInt(n) < 10) ? "0" + n : String(n);
};
return doubleDigits(d.getHours()) + ':' + doubleDigits(d.getMinutes());
}
console.log(get24hTime('6')); // 06:00
console.log(get24hTime('6am')); // 06:00
console.log(get24hTime('6pm')); // 18:00
console.log(get24hTime('6:11pm')); // 18:11
console.log(get24hTime('6:11')); // 06:11
console.log(get24hTime('18')); // 18:00
console.log(get24hTime('18:11')); // 18:11
答案 3 :(得分:0)
我使用了与此类似的东西
//time is an array of [hh] & [mm am/pm] (you can get this by time = time.split(":");
function MilitaryTime(time){
if(time[1].indexOf("AM")!=-1){
//its in the morning, so leave as is
return time;
}else if(time[0]!="12"){
//If it is beyond 12 o clock in the after noon, add twelve for military time.
time[0]=String(parseInt(time[0])+12);
return time;
}
else{
return time;
}
}
退回时间后,您可以以任何方式更改文字。