我总是喜欢创建一个玩具表和/或数据库来炫耀我的想法。下面是一个这样的片段。
以下是关于您的解决方案与我的解决方案的一些评论。
1 - 当您在开始时使用通配符将列与模式进行比较时,查询优化器无法使用任何索引。因此,这会导致全表扫描。
2 - 我总是喜欢测试空值。合并是将空字符串默认为空字符串的好方法。
3 - 如果您在 where 逻辑中使用持久计算列,则在插入或更新记录时它会存储在数据库中。
4 - 一个持久化的计算列可以有一个索引,因此,消除了对较大表的表扫描。
我不得不使用查询索引提示,因为对于小表,表扫描更快。
此外,您可能想要添加 member_fk 和/或 begin_date。IE - 更多的工作/测试一个真实的例子。
5 - 最后但同样重要的是,使用窗口分区和 row_number() 函数来查找最新的行。
我将其捆绑到 CTE 中,因为您无法在 WHERE 子句中的语句的 SELECT 部分引用计算。
这里有一些很好的概念:
- 通配符模式搜索等于全表扫描
- alwaystest/account for nulls
- 持久化计算列作为速度的索引
- 使用分组函数来挑选最佳结果
如果您有任何问题,请大声喊叫。
真挚地
约翰
-- Drop old table
if object_id('tempdb.dbo.contracts') > 0
drop table tempdb.dbo.contracts;
go
-- Create new table
create table tempdb.dbo.contracts
(
id_num int identity(1,1),
member_fk int,
main_flag bit,
begin_date smalldatetime,
end_date smalldatetime,
description_txt varchar(512),
do_not_use_flag as
(
-- must have these words
(
case
when lower(coalesce(description_txt, '')) like '%gold%' then 0
when lower(coalesce(description_txt, '')) like '%silver%' then 0
when lower(coalesce(description_txt, '')) like '%bronze%' then 0
when lower(coalesce(description_txt, '')) like '%executive%' then 0
else 1
end
)
+
-- must not have these words
(
case
when lower(coalesce(description_txt, '')) like '%mitarbeiter%' then 1
when lower(coalesce(description_txt, '')) like '%kind%' then 1
when lower(coalesce(description_txt, '')) like '%teen%' then 1
when lower(coalesce(description_txt, '')) like '%kid%' then 1
else 0
end
)
+
-- must have begin_date <= end_date
(
case
when begin_date is null then 1
when end_date is null then 0
when begin_date <= end_date then 0
else 1
end
)
+
(
-- toss out non-main records
case
when main_flag = 1 then 0
else 1
end
)
) persisted
);
go
-- add index on id include flag
create nonclustered index ix_contracts
on tempdb.dbo.contracts (do_not_use_flag);
go
-- add data to table
insert into tempdb.dbo.contracts (member_fk, main_flag, begin_date, end_date, description_txt)
values
-- shows up
(1, 1, getdate() - 5, getdate(), 'Silver - good contract for DBA'),
-- main contract <> 1
(1, 0, getdate() - 5, getdate(), 'Gold - good contract for DBA'),
-- no flag = true
(1, 1, getdate() - 5, getdate(), 'Bronze - good contract for Teen'),
-- end < begin
(1, 1, getdate(), getdate()-5, 'Bronze - good contract for DBA'),
(2, 1, getdate() - 5, getdate(), 'Executive - good contract for DBA');
go
-- wait 5 seconds
WAITFOR DELAY '00:00:02';
go
insert into tempdb.dbo.contracts (member_fk, main_flag, begin_date, end_date, description_txt)
values
(2, 1, getdate() - 4, getdate(), 'Executive - good contract for DBA');
go
-- show the raw data
select * from tempdb.dbo.contracts as c
go
-- show the data
;
with cte_contract_by_recent_begin_dte
as
(
select
ROW_NUMBER() OVER (PARTITION BY member_fk ORDER BY begin_date desc) as top_id,
*
from
tempdb.dbo.contracts as c with(index(ix_contracts))
where
c.do_not_use_flag = 0
)
select * from cte_contract_by_recent_begin_dte as cte where cte.top_id = 1