SQL数据库CTE的用法

在很多编程语言中都有 for循环这样的东西。在数据库里面 替代他是 游标

但是游标使用起来是相当耗费资源的,今天看见一个CTE尝试了下他的用法

create table employewhere
(
id int identity(1,1),
[name] varchar(10),
[value] varchar(10),
[ttime] int
)

insert employewhere
select '张三',2,1
union all
select '张三',2,2
union all
select '张三',2,3
union all
select '张三',2,4
union all
select '李四',2,1
union all
select '李四',2,2
union all
select '李四',2,3
union all
select '李四',2,4
union all
select '李四',2,1

insert employewhere
select '王五',2,1
union all
select '王五',2,3
union all
select '王五',2,4

我想得到ttime为连续数字的name

张三

李四

select * from employewhere

1张三21
2张三22
3张三23
4张三24
5李四21
6李四22
7李四23
8李四24
9王五21
10王五23
11王五24
12王五21
13王五23
14王五24
15王五21
16王五23
17王五24

-----------------------------

with myCTE as
(
select id,[name],value,ttime ,1 as number from employewhere where value=2
union all
select tt.id,tt.name,tt.value,tt.ttime ,number+1 from employewhere as tt
inner join myCTE on myCTE.[name]=tt.[name] and tt.ttime=myCTE.ttime+1--连接起来的条件
where tt.value=2
)
select * from myCTE where number>3

8李四244
4张三244

但是为什么要这么写呢

我们可以这么执行查询里面的数据

with myCTE as
(
select id,[name],value,ttime ,1 as number from employewhere where value=2
union all
select tt.id,tt.name,tt.value,tt.ttime ,number+1 from employewhere as tt
inner join myCTE on myCTE.[name]=tt.[name] and tt.ttime=myCTE.ttime+1--连接起来的条件
where tt.value=2
)
select * from myCTE

可以得到数据

1张三211
2张三221
3张三231
4张三241
5李四211
6李四221
7李四231
8李四241
9王五211
10王五231
11王五241
12王五211
13王五231
14王五241
15王五211
16王五231
17王五241
11王五242
14王五242
17王五242
11王五242
14王五242
17王五242
11王五242
14王五242
17王五242
8李四242
7李四232
8李四243
6李四222
7李四233
8李四244
4张三242
3张三232
4张三243
2张三222
3张三233
4张三244

是不是发现很多重复数据 同时可以更直观的让我们认识 其实 CTE本身就是一个临时表这样的一个东西 只是不要你进行创建

最后面一排 使我们写的 number

然后我们在进行筛选

where number>3

就是排序中连续有三个的

于是就把 我们

张三和李四查询出来了

你可能感兴趣的:(sql)