判断一段时间与一堆一段时间之间是否有交集。有与起止时间相同的判断为有交集
如
判断
12:30:00--14:20:00
与下列时间段是否有交集
10:00:00-12:00:00, 12:10:00-12:50:00 , 14:30:00-15:00:00
转换为时间戳然后一一循环比较
function is_cross($st1, $et1, $st2, $et2)
{
$status = $st2 - $st1;
if ($status > 0) {
$status2 = $st2 - $et1;
if ($status2 >= 0) {
return false;
} else {
return true;
}
} else {
$status2 = $et2 - $st1;
if ($status2 > 0) {
return true;
} else {
return false;
}
}
}
这能解决问题,但是求更优的方法,最小的时间复杂度
迷茫2017-06-30 09:55:32
# -*- coding: utf-8 -*-
def is_mixed(t1, t2):
'''
假定时间段格式是:"10:00:00-12:00:00"
判断 t1,t2是否有交集
'''
s1, e1 = t1.split("-")
s2, e2 = t2.split("-")
if s1 > e2 and s2 > e1:
return True
if s2 > e1 and s1 > e2:
return True
return False
t1 = "12:30:00-04:20:00"
t2 = "03:00:00-22:23:00"
if is_mixed(t1, t2):
print "有交集!"
else:
print "木有交集!"
python版本,js应该也是一样的
怪我咯2017-06-30 09:55:32
这样可以从periods挑出和period有交集的时间段。
period = "12:30:00-14:20:00"
periods = ["10:00:00-12:00:00", "12:10:00-12:50:00","14:30:00-15:00:00"]
print([x+'-'+y for [b,e] in [period.split("-")] for [x,y] in [p.split("-") for p in periods] if x<=e and y>=b])