sql语句 同时查询两个表

2024-10-29 23:18:26
推荐回答(5个)
回答1:

sql多表关联查询跟条件查询大同小异,主要是要知道表与表之前的关系很重要;

  举例说明:(某数据库中有3张表分别为:userinfo,dep,sex)

  userinfo(用户信息表)表中有三个字段分别为:user_di(用户编号),user_name(用户姓名),user_dep(用户部门) 。(关系说明:userinfo表中的user_dep字段和dep表中的dep_id字段为主外键关系,userinfo表中的user_sex字段和sex表中的sex_id字段为主外键关系)

dep(部门表)表中有两个字段分别为:dep_id(部门编号),dep_name(部门名称)。(主键说明:dep_id为主键)

sex(性别表)表中有两个字段分别为:sex_id(性别编号),sex_name(性别名称)。(主键说明:sex_id为主键)

 

‍‍一,两张表关键查询

1、在userinfo(用户信息表)中显示每一个用户属于哪一个部门。sql语句为:

select userinfo.user_di,userinfo.user_name,dep_name from userinfo,dep where userinfo.user_dep=dep.dep_id

2、在userinfo(用户信息表)中显示每一个用户的性别。sql语句为:

select userinfo.user_di,userinfo.user_name,sex.sex_name from userinfo,sex where userinfo.user_sex=sex.sex_id

 

二、多张表关键查询

    最初查询出来的userinfo(用户信息表)表中部门和性别都是以数字显示出来的,如果要想在一张表中将部门和性别都用汉字显示出来,需要将三张表同时关联查询才能实现。

 sql语句为:

select userinfo.user_di,userinfo.user_name,dep.dep_name,sex.sex_name from userinfo,dep,sex where userinfo.user_dep=dep.dep_id and userinfo.user_sex=sex.sex_id

(多个条件用and关联)

回答2:

举例说明:某数据库中有3张表分别为:userinfo,dep,sex

userinfo(用户信息表)表中有三个字段分别为:user_di(用户编号),user_name(用户姓名),user_dep(用户部门) 。

dep(部门表)表中有两个字段分别为:dep_id(部门编号),dep_name(部门名称)。

sex(性别表)表中有两个字段分别为:sex_id(性别编号),sex_name(性别名称)。

‍‍一,两张表关键查询

1、在userinfo(用户信息表)中显示每一个用户属于哪一个部门。sql语句为:

select userinfo.user_di,userinfo.user_name,dep_name from userinfo,dep where userinfo.user_dep=dep.dep_id

2、在userinfo(用户信息表)中显示每一个用户的性别。sql语句为:

select userinfo.user_di,userinfo.user_name,sex.sex_name from userinfo,sex where userinfo.user_sex=sex.sex_id

二、多张表关键查询

最初查询出来的userinfo(用户信息表)表中部门和性别都是以数字显示出来的,如果要想在一张表中将部门和性别都用汉字显示出来,需要将三张表同时关联查询才能实现。

sql语句为:

select userinfo.user_di,userinfo.user_name,dep.dep_name,sex.sex_name from userinfo,dep,sex where userinfo.user_dep=dep.dep_id and userinfo.user_sex=sex.sex_id

回答3:

脚本>>

create table table_1 (t_id number ,t_name varchar2(10));

insert into table_1 values (1,'aaa');

insert into table_1 values (2,'bbb');

insert into table_1 values (3,'ccc');

commit;


create table table_2 (t_id number ,t_name varchar2(10));

insert into table_2 values (4,'ddd');

insert into table_2 values (5,'eee');

insert into table_2 values (6,'fff');

insert into table_2 values (7,'ggg');

commit;


select * from table_1 union all select * from table_2;

结果>>

回答4:

SELECT [id], [name] FROM [表1] UNION ALL SELECT [id2], [name2] FROM [表2]

回答5: