T-SQL:如何选择具有多个条件的行

时间:2017-01-20 20:37:47

标签: sql-server tsql select conditional-statements where

我在SQL Server中有以下数据集,我需要按以下顺序选择条件数据:

首先,检查date_end是否为1/1/2099,然后选择具有最小天差距的行,skill_group不是SWAT,因为行具有相同的employee_id,在这种情况下是第2行。

其次,对于没有1/1/2099 date_end的行,选择最近一天date_end的行,在这种情况下是第4行。

ID  employee_id last_name   first_name  date_start  date_end    skill_group
---------------------------------------------------------------------------
1   N05E0F  Mike    Pamela  12/19/2013  1/1/2099    SWAT
2   N05E0F  Mike    Pamela  9/16/2015   1/1/2099    Welcome Team
3   NSH8A   David   Smith   12/19/2013  9/16/2016   Unlicensed
4   NSH8A   David   Smith   8/16/2015   10/16/2016  CMT

1 个答案:

答案 0 :(得分:1)

有很多方法可以做到这一点。以下是其中一些:

top with ties 版本:

select top 1 with ties
    *
  from tbl
  where skill_group != 'SWAT'
  order by 
    row_number() over (
      partition by employee_id
      order by date_end desc, datediff(day,date_start,date_end) asc 
      )

with common_table_expression as ()使用 row_number() 版本:

with cte as (
  select  *
      , rn = row_number() over (
              partition by employee_id
              order by date_end desc, datediff(day,date_start,date_end) asc 
            )

    from tbl
    where skill_group != 'SWAT'
)
select *
  from cte
  where rn = 1