postgreSQL with子句学习

With语句是为庞大的查询语句提供了辅助的功能。 这些语句通常是引用了表表达式或者CTEs(一种临时数据的存储方式),可以看做是一个查询语句的临时表。

在With语句中可以使用select,insert,update,delete语句。当然with也可以看成是一个单独的语句。

测试表数据脚本

CREATE TABLE public.tb (
	id varchar(3) NULL,
	pid varchar(3) NULL,
	"name" varchar(10) NULL
)
WITH (
	OIDS=FALSE
) ;


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

复制代码

With中使用select

统计pid为0的省份
with t as (select * from public.tb where pid = '0') select count(0) from t;
复制代码

查询记录结果为2

With语句的递归语句

查询浙江省及以下县市
with recursive cte as 
(select a.id,a.name, a.pid from public.tb a where id = '002'
union all select k.id,k.name,k.pid from public.tb k inner join cte c on c.id = k.pid) 
select id,name from cte;
复制代码
查询根省份
with recursive p as
(select a.* from public.tb a where a.id = '016' 
union all select b.* from public.tb b,p where b.id = p.pid)
select * from p where p.pid = '0';
复制代码

With语句的使用操作语句

就是在with语句中进行数据的insert,update,delete操作。

基本的结构是:


With temp as (
Delete from table_name where sub_clause
    Returning *
)select * from temp
复制代码

这里的returning是不能缺的,缺了不但返回不了数据还会报错

其中“*”表示所有字段,如果只需要返回部分字段那么可以指定字段。

你可能感兴趣的:(数据库)