27

我有两次格式为“HH:MM”的时间我想比较它们我有以下代码以我的格式获取现在的时间:

current_time = new Date();
hour = current_time.getHours();
minute = current_time.getMinutes();
if(hour<10){hour='0'+hour} if(minute<10){minute='0'+minute}
my_time = hour+':'+minute;

这段代码是减去格林威治标准时间差后得到的时间:

d = new Date()
var n = d.getTimezoneOffset();
var n1 = Math.abs(n);
var difference = (n1/60); 
my_time = my_time - (0+difference);

现在应该将 my_time 的值与 match_time 的值进行比较:

match_time = 10:00;//for example
if(my_time > match_time)
{
  alert('yes');
}
else
{
  alert('No');
}

当它们是字符串时,我如何将这些值与时间进行比较???

4

7 回答 7

30

使用日期对象。Date.setHours()允许您指定小时、分钟、秒

var currentD = new Date();
var startHappyHourD = new Date();
startHappyHourD.setHours(17,30,0); // 5.30 pm
var endHappyHourD = new Date();
endHappyHourD.setHours(18,30,0); // 6.30 pm

console.log("happy hour?")
if(currentD >= startHappyHourD && currentD < endHappyHourD ){
    console.log("yes!");
}else{
    console.log("no, sorry! between 5.30pm and 6.30pm");
}
于 2015-01-05T17:16:30.063 回答
10

假设您对时区不感兴趣,只需要比较两个 24 小时格式的格式化时间字符串,您可以只比较字符串。

"09:12" > "12:22" //false
"09:12" < "12:22" //true
"08:12" > "09:22" //false
"08:12" < "09:22" //true

字符串必须标准化为 hh:mm,否则您会得到意想不到的结果,例如:

"9:12" > "12:22" //true
于 2021-09-18T13:02:51.383 回答
6
Date.parse('25/09/2013 13:31') > Date.parse('25/09/2013 9:15')

编辑:

请注意,您正在解析一个您不感兴趣的任意日期,它只需要双方相同。

于 2013-09-25T12:32:21.727 回答
2
 if(Date.parse('01/01/2011 10:20:45') == Date.parse('01/01/2011 5:10:10')) {
  alert('same');
  }else{

  alert('different');

  }

1 月 1 日是一个任意日期,没有任何意义。

于 2013-10-08T15:59:35.793 回答
2

如果我有足够的代表投票支持@Gabo Esquivel 解决方案。几天来,我一直在寻找和测试解决方案,这是唯一对我有用的解决方案。

我需要一个条件语句来测试当前时间是否为 0830,如果是,请执行一些操作。我的 if 语句不起作用,所以我需要使用其他示例。

//Business Hours: Saturday 8:30am-12pm; highlight Saturday table row.
function showSaturdayHours() {
    var today = new Date();
    var weekday = today.getDay();
    var saturdayOpen = new Date();
    saturdayOpen.setHours(8, 30, 0);
    var saturdayClose = new Date();
    saturdayClose.setHours(12, 0, 0);

if (weekday == 6) {
    $('#saturday-row').addClass('row-blue'); //highlight table row if current day is Saturday.
    if (today >= saturdayOpen && today < saturdayClose) {
        document.getElementById('saturday-open').innerHTML = 'Open';
    } else {
        document.getElementById('saturday-open').innerHTML = 'Closed';
    }
  }
}

营业时间表:JSFiddle

于 2015-05-21T16:23:14.773 回答
2

与@Arjun Sol 类似,您可以不使用 Date.parse,而是从字符串本身获取时间,创建一个新的 Date 对象并进行比较。

const time1 = '12:42';
const time2 = '18:30';

const getTime = time => new Date(2019, 9, 2, time.substring(0, 2), time.substring(3, 5), 0, 0);

const result = getTime(time1) < getTime(time2);
console.log('This should be true:', result);
于 2019-10-02T09:49:23.260 回答
1

我们可以做一些hack。

var time1 = "09:30";
var time2 = "10:30";
var time1Date= new Date("01/01/2000 "+time1);
var time2Date= new Date("01/01/2000 "+time2);

if(time1Date >= time2Date ){
    console.log("time1");
}else{
    console.log("time2");
}
于 2019-06-04T03:58:00.510 回答