在线时间:8:00-16:00
迪恩网络APP
随时随地掌握行业动态
扫描二维码
关注迪恩网络微信公众号
多表查询 使用单个select 语句从多个表格中取出相关的查询结果,多表连接通常是建立在有相互关系的父子表上; 1交叉连接 第一个表格的所有行 乘以 第二个表格中的所有行,也就是笛卡尔积 -- create table customers( -- id int primary key auto_increment, -- name VARCHAR(20)not null, -- address VARCHAR(20)not NULL -- ); -- CREATE table orders( -- order_namre VARCHAR(20) primary key, -- num char(20) not NULL, -- price int not null, -- customers_id int, -- constraint cus_ord_fk FOREIGN key(customers_id) REFERENCES customers(id) -- ) 自己插入数据即可。 语法: 隐式语法(不使用关键字): select * from customers,orders; 运行结果如下: 显式语法(使用关键字):select * from customers c INNER JOIN orders o ON c.id=o.customer_id; 两个运行结果一样,但是笛卡尔积有错误,下面的方法进行修正 2内连接 因为交叉连接获得的结果集是错误的。因此内连接是在交叉连接的基础上 语法: 隐式语法: select * from customers,orders where customers.id=orders.customers_id; 显式语法: select * from customers c INNER JOIN orders o ON c.id=o.customer_id; 运行结果如下 我们还可以给程序起别名: select * from customers as c,orders o where c.id=o.customers_id; SELECT * from customers as c inner join orders o on c.id=o.customers_id; 3外连接 内连接只列出所有购买过商品的用户的信息,不会列出没有购买商品用户。 语法: select * from customers c LEFT JOIN orders o ON c.id=o.customer_id; 右外连接: 以关键字右边的表格为基表 语法: select * from orders o RIGHT JOIN customers c ON c.id=o.customer_id; 4子查询 某些情况下,当进行查询的时候,需要的条件是另外一个select语句的结果,这个时候就会用到子查询,为了给主查询(外部查询) 提供数据而首先执行的查询(内部查询)被叫做子查询; 子查询分为嵌套子查询和相关子查询。 嵌套子查询: 内部查询的执行独立于外部查询,内部查询仅执行一次,执行完毕后将结果作为外部查询的条件使用(嵌套子查询中的子查询语句可以拿出来单独运行。) 语法及练习: 查询出id为1的老师教过的所有学生。 select * from students where id in(select s_id from teacher_student where t_id=1); 相关子查询: 内部查询的执行依赖于外部查询的数据,外部查询每执行一次,内部查询也会执行一次。每一次都是外部查询先执行,取出外部查询表中的一个元组,将当前元组中的数据传递给内部查询,然后执行内部查询。根据内部查询执行的结果,判断当前元组是否满足外部查询中的where条件,若满足则当前元组是符合要求的记录,否则不符合要求。然后,外部查询继续取出下一个元组数据,执行上述的操作,直到全部元组均被处理完毕。 create table teacher1( id int primary key auto_increment, name char(20) not NULL, subject char(20) not null ); – 创建学生表 create table student1( id int primary key auto_increment, name char(20) unique not null, age int null ); – 创建第三个表格 create table tea_stu( id int PRIMARY KEY, name char(20), t_id int, s_id int, score int not null, constraint teacher1_id_fk foreign key(t_id) references teacher1(id), constraint student_id_fk foreign key(s_id) references student1(id) ); 练习1. 查询出id为1的老师教过的所有学生。 做法1 用分开的方法写出来: select s_id from tea_stu where t_id=1; select * from student1 where id in(2,3); 做法2: select * from student1 where id in(select s_id from tea_stu where t_id=1); 相关子查询: 内部查询的执行依赖于外部查询的数据,外部查询每执行一次,内部查询也会执行一次。每一次都是外部查询先执行,取出外部查询表中的一个元组,将当前元组中的数据传递给内部查询,然后执行内部查询。根据内部查询执行的结果,判断当前元组是否满足外部查询中的where条件,若满足则当前元组是符合要求的记录,否则不符合要求。然后,外部查询继续取出下一个元组数据,执行上述的操作,直到全部元组均被处理完毕。 select * from tea_stu as a where a.score>(select avg(b.score) from tea_stu as b where a.s_id=b.s_id); 以上所述是小编给大家介绍的MySQL多表查询详解整合,希望对大家有所帮助,如果大家有任何疑问请给我留言,小编会及时回复大家的。在此也非常感谢大家对极客世界网站的支持! |
请发表评论