sql:按日期范围查找数据

sulc1iza  于 2021-06-21  发布在  Mysql
关注(0)|答案(4)|浏览(420)

我有两个字段为“开始日期”和“结束日期”的记录:

- Record 1 : from_date=2017-05-15 and to_date=2017-06-12
 - Record 2 : from_date=2018-03-20 and to_date=2018-04-11

如果搜索起始日期,如何获取记录2:

- 2018-03-01 and 2018-03-31?

- 2018-04-01 and 2018-04-30?

- 2018-04-01 and 2018-04-03?
s71maibg

s71maibg1#

这很简单:

SELECT * 
   FROM records 
    WHERE from_date >= @from_date 
         OR to_date <= @to_date

哪里 @from_date 以及 @to_date 只是你的变量。
我用了一个 OR 因为你不是在寻找一个包容的范围。这只是部分匹配。
你想要符合这个记录的条件吗 from_date=2018-03-20 以及 to_date=2018-04-11 让我们根据以下情况回顾一下情况 WHERE from_date >= @from_date OR to_date <= @to_date ```
@from_date = 2018-03-01 --false
@to_date = 2018-03-31 --true

@from_date = 2018-04-01 --true
@to_date = 2018-04-30 --false

@from_date = 2018-04-01 --true
@to_date = 2018-04-03 --true

这表明您只需要一个bounderies来匹配。
请注意,基于dbms,日期比较可能会有所不同,但逻辑保持不变。
vi4fp9gy

vi4fp9gy2#

oracle示例:

with 
    table1 as 
      ( select 1 id, to_date('2017-05-15','YYYY-MM-DD') date_from, to_date('2017-06-12','YYYY-MM-DD') date_to  from dual union all
        select 2 id, to_date('2018-03-20','YYYY-MM-DD') date_from, to_date('2018-04-11','YYYY-MM-DD') date_to  from dual )
select
    *
from 
    table1
where
/*
        to_date('2018-03-01','YYYY-MM-DD') < date_to
    and to_date('2018-03-31','YYYY-MM-DD') > date_from

        to_date('2018-04-01','YYYY-MM-DD') < date_to
    and to_date('2018-04-30','YYYY-MM-DD') > date_from

* /

        to_date('2018-04-01','YYYY-MM-DD') < date_to
    and to_date('2018-04-03','YYYY-MM-DD') > date_from
;
mqkwyuun

mqkwyuun3#

尝试以下示例:

Declare @date1 Date
Declare @date2 Date

set @date1 = <<give your first date>> 'yyyy-dd-mm
set @date2 = <<give your second date>> 'yyyy-dd-mm

SELECT * FROM tbldate WHERE CONVERT(DATE,@date1) BETWEEN from_date and to_date OR CONVERT(DATE,@date2) BETWEEN from_date and to_date
nxowjjhe

nxowjjhe4#

谢谢大家的回复。我找到了答案。

WHERE ((from_date BETWEEN {fromDate} AND {toDate} OR to_date BETWEEN {fromDate} AND {toDate} OR (from_date <= {fromDate} AND to_date >= {fromDate}))

如果使用cakephp3:

->where([
        'OR' => [
            function($exp) use($fromDate,$toDate){                            
                return $exp->between('from_date',$fromDate,$toDate,'date');
            },
            function($exp) use($fromDate,$toDate){                            
                return $exp->between('to_date',$fromDate,$toDate,'date');
            }, 
            'AND' => [
                'from_date <=' => $fromDate,
                'to_date >=' => $fromDate
            ]
        ],
        'from_date is not' => null
    ]);

相关问题