Checking if new interval overlaps - MySQL (or PHP)

二次信任 提交于 2019-12-01 19:04:50

Using folowing abbreviations:

  • [old] := existing range
  • [new] := inserting range
  • OS := (old) existing_range.start
  • OE := (old) existing_range.end
  • NS := (new) inserting_range.start
  • NE := (new) inserting_range.end

the condition for overlaping of two ranges (old and new) is: (OS < NE) AND (OE > NS)

While the solution might be not trivial, its not that difficult to get there:

There is no overlaping if the new range is completly before or after the existing range: [new] <= [old] OR [old] <= [new] and that means that:

(NE <= OS) OR (OE <= NS)

Negotiating this statement we get the condition for overlaping:

!( (NE <= OS) OR (OE <= NS) )

Now using De Morgan's law we can write it as

!(NE <= OS) AND !(OE <= NS)

And this is equivalent to

(NE > OS) AND (OE > NS)

wich can be rewriten as

(OS < NE) AND (OE > NS)

Now we can find all overlaping ranges using

SELECT o.*
FROM Schedules o
WHERE o.start < :new_end
  AND o.end   > :new_start

You can phrase an insert as:

insert into schedules(start, end)
    select s, e
    from (select $start s, $end as e) t
    where not exists (select 1
                      from schedules s2
                      where s.start <= t.end and s.end >= t.start
                     );

This will only insert the value if it doesn't overlap with an existing row in the table.

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!