SQL中浅谈union、union all、Intersect、Minus的区别

时间:2021-06-09 15:47:41

今天我在工作中遇到这样一个查询语句:

select
    *   
from
    ( 

select
        id,
        EMPID,
        empname,
        departname,
        startdate,
        ENDDATE,
        null as palytime,
        '调休' as type          
    from
        TOS_CHECKING_TAKEDAY                
    union
    (
        select
            id,
            EMPID,
            empname,
            departname,
            null as startdate,
            null as enddate,
            palytime,
            '补单' as type                      
        from
            TOS_CHECKING_REPAIR          
    )   
union
(
    select
        id,
        EMPID,
        empname,
        departname,
        STATEDATE,
        enddate,
        null as palytime,
        '请假' as type              
    from
        VOS_VACATE_LABOUR   
)   
union
(
select
    id,
    TRAVELEMPID as EMPID,
    TRAVELEMP as empname,
    departname,
    ACTSTARTDATE as STATEDATE,
    ACTENDDATE enddate,
    null as palytime,
    '出差' as type       
from
    vos_travelreport   
)   

)   

where
1=1    

现在,就简单介绍一下联合语句。如果我们需要将两个或多个select语句的结果作为一个整体显示出来,这是我们就需要用到union或者union all关键字。union和union all的区别是,union会自动压缩多个结果集合中的重复结果,而union all则将所有的结果全部显示出来,不管是不是重复。

Intersect:对两个结果集进行交集操作,不包括重复行,重复的会被过滤,同时进行默认规则的排序。

Minus:对两个结果集进行差操作,返回的总是左边表中的数据且不包括重复行,重复的会被过滤,同时进行默认规则的排序。

值得注意的是:当我们要使用这两个联合SQL语句是,selecte查询语句的字段个数必须一样且字段类型要一致。在MySQL中不支持Intersect和Minus,但可以用简单的方法来代替。

来看下列:表scfrd_type

id         code

1             A

2             B


表scfrd_type1

id         code

2             B

3             C


查询语句select id,code fromscfrd_type  union select id,code from scfrd_type1。结果过滤了重复的行,如下:

id         code

1             A

2             B

3             C

查询语句select id,code fromscfrd_type  union  all select id,code from scfrd_type1。结果没有过滤了重复的行,如下:

id         code

1             A

2             B

2             B

3             C

查询语句select id,code fromscfrd_type  intersect select id,code from scfrd_type1。结果如下:

id         code

2             B

查询语句select id,code fromscfrd_type minus select id,code from scfrd_type1。结果如下:

id         code

1             A

sql相交和差写法分别如下:

1)select b.id,b.code from scfrd_type b left jion scfrd_type1 c on b.id=c.id and b.code=c.code where c.id is not null and c.code is not null;

或者select b.id,b.text from scfrd_type b INNER JOIN scfrd_type1 c using(id,text);

using(a,b)代表两个表的a,b字段分别相等;

2)select b.id,b.code from scfrd_type b left jion scfrd_type1 c on b.id=c.id and b.code=c.code where c.id is null and c.code is  null;


SQL中浅谈union、union all、Intersect、Minus的区别