PostgreSQL的递归查询(with recursive用法)

  • Post author:
  • Post category:其他


WITH语句通常被称为通用表表达式(Common Table Expressions)或者CTEs。


CTE 优缺点

  • 可以使用递归 WITH RECURSIVE,从而实现其它方式无法实现或者不容易实现的递归查询
  • 当不需要将查询结果被其它独立查询共享时,它比视图更灵活也更轻量
  • CTE只会被计算一次,且可在主查询中多次使用
  • CTE可极大提高代码可读性及可维护性
  • CTE不支持将主查询中where后的限制条件push down到CTE中,而普通的子查询支持


需求

如何实现(省份>城市>区县)二级联动效果?

需要对一张地区表进行递归查询,PostgreSQL中有个

with recursive

的查询方式,可以满足递归查询(一般大于等于2层循环嵌套),如下实现:


创建表并插入数据:

create table temp_table(id varchar(3) , pid varchar(3) , name varchar(10)); 

insert into temp_table values('002' , 0 , '浙江省'); 
insert into temp_table values('001' , 0 , '广东省'); 
insert into temp_table values('003' , '002' , '衢州市');  
insert into temp_table values('004' , '002' , '杭州市') ; 
insert into temp_table values('005' , '002' , '湖州市');  
insert into temp_table values('006' , '002' , '嘉兴市') ; 
insert into temp_table values('007' , '002' , '宁波市');  
insert into temp_table values('008' , '002' , '绍兴市') ; 
insert into temp_table values('009' , '002' , '台州市');  
insert into temp_table values('010' , '002' , '温州市') ; 
insert into temp_table values('011' , '002' , '丽水市');  
insert into temp_table values('012' , '002' , '金华市') ; 
insert into temp_table values('013' , '002' , '舟山市');  
insert into temp_table values('014' , '004' , '上城区') ; 
insert into temp_table values('015' , '004' , '下城区');  
insert into temp_table values('016' , '004' , '拱墅区') ; 
insert into temp_table values('017' , '004' , '余杭区') ; 
insert into temp_table values('018' , '011' , '金东区') ; 
insert into temp_table values('019' , '001' , '广州市') ; 
insert into temp_table values('020' , '001' , '深圳市') ;


查询浙江省及以下县市:

with RECURSIVE cte as 
( 
select a.id,a.name,a.pid from temp_table a where id='002' 
union all  
select k.id,k.name,k.pid from temp_table k inner join cte c on c.id = k.pid 
)
select id,name from cte;


二级联动效果实现:

with RECURSIVE cte as
(
select a.id,cast(a.name as varchar(100)) from temp_table a where id='002'
union all 
select k.id,cast(c.name||'>'||k.name as varchar(100)) as name  from temp_table k inner join cte c on c.id = k.pid
)
select id,name from cte;



版权声明:本文为weixin_40983094原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。