search
HomeDatabaseMysql TutorialCompletely master mysql multi-table operations

This article brings you relevant knowledge about mysql, which mainly introduces issues related to multi-table operations, including multi-table relationships, foreign key constraints, multi-table joint queries, internal Connection query and outer connection query, etc. I hope it will be helpful to everyone.

Completely master mysql multi-table operations

Recommended learning: mysql tutorial

Multi-table relationship

One-to-one (usually merged tables) ,
One-to-many/many-to-one (departments and employees),
Many-to-many (students and courses) - using intermediate tables

Foreign key constraint concept

Specialized Constraints for multi-table relationships
Control the foreign keys of the slave table through the primary key of the master table

Foreign key constraints:

1. The master table must already exist, or Creating
2. The primary key column must be set for the main table
3. The primary key cannot include null values, but the foreign key can include null values
4. Specify the column after the table name of the main table or A combination of column names. This column or combination of columns must be the primary key or candidate key of the main table
5. The number of columns in the foreign key must be the same as the number of columns in the primary key
6. The data type of the columns in the foreign key must be the same as the number of columns in the primary key The data types of the corresponding columns are the same

• Create foreign key constraintsforeign key
Add foreign key constraints before creating the table
Completely master mysql multi-table operations

Add foreign key constraints after creating the table

Completely master mysql multi-table operations

Verify the role of foreign key constraints

1. Data insertion:
You must first add it to the main table Constraints
Adding constraints from the slave table depends on the master table. Data that does not exist in the master table cannot be added
Completely master mysql multi-table operations

2. Data deletion
When the data of the master table is dependent on the slave table, It cannot be deleted, otherwise it can be deleted
The data from the table can be deleted arbitrarily

eg:

delete from dept where deptno = '1001';-----不可以删除(被依赖了)delete from dept where deptno = '1004';
------可以删除delete from emp where eid = '7';  -----可以删除

Delete the foreign key constraint

After deletion, there will be a gap between the tables. It doesn’t matter anymore
Syntax:

alter table 表名字 drop foreign key 外键约束名alter table emp2 drop foreign key emp2_fk;

Completely master mysql multi-table operations

• Many-to-many relationship - constructing foreign key constraints
One row of table A corresponds to multiple rows of table B, and table B One row of corresponds to multiple rows of table A. At this time, you need to re-create an intermediate table to record the table relationship
Completely master mysql multi-table operations

Note:
Modify and When deleting, the middle slave table can be deleted and modified at will, but the data relied on by the slave tables on both sides and the master table cannot be deleted or modified.

Multi-table joint query (very important)

• Concept
is to query two or more tables at the same time, because sometimes users When viewing data, the data that needs to be displayed comes from multiple tables

• Data preparation

Note:
Foreign key constraints only affect the addition, deletion and modification of data and have no effect on data query

• Cross-join query

select * from A,B;---redundant data will be generated

1. Cross-join query returns the connected

two tables The Cartesian product of all data rows 2. The Cartesian set can be understood as each row of one table matching any row of another table
3. Suppose table A has m rows of data , table B has n rows of data, then
m * n rows of data will be returned. 4. Cartesian product will produce a lot of
redundant data, and other subsequent queries can be done in this Conditional filtering based on the set

Inner join query

seeks the

intersection between the two tables
Completely master mysql multi-table operations

inner You can omit

Implicit inner join (SQL92 standard):

select * from A,B where 条件;
Explicit inner join (SQL99 standard);

select * from A inner join B on 条件
---查询每个部门的所属员工  //隐式内连接
select* from dept3,emp3 where dept3.deptno = emp3.dept_id;  //这样写标准
can also be given Give the table an alias, such as;

select* from dept3  a ,emp3 b  where a.deptno = b.dept_id;
	---查询每个部门的所属员工  
	//显式内连接select *from dept3 inner join emp3  on dept3.deptno = emp3.dept_id;  
	//这样写标准
You can also give the table an alias, such as;

select *from dept3 a join emp3 b on a.deptno = b.dept_id;

Completely master mysql multi-table operations

Completely master mysql multi-table operations
Completely master mysql multi-table operations

Outer join query

is divided into: (outer can be omitted)

Left outer join
left outer join

select* from A left outer join B on 条件;
right outer join

right outer join

select* from A right outer join B on 条件;
full outer join

full outer join

select* from A full outer join B on 条件;

注意:
Oracle 里面有 full join ,可是在mysql 对 full join 支持的不好,我们可以使用 union来达到目的
Completely master mysql multi-table operations

----外连接查询
----查询哪些部门有员工,哪些部门没有员工

use mydb3;select* from dept3 left outer join emp3 on dept3.deptno =emp3.dept_id;

----查询哪些员工有对应的部门,哪些没有

select* from dept3 right outer join emp3 on dept3.deptno =emp3.dept_id;

----使用 union 关键字实现左外连接和右外连接的并集

select* from dept3 left outer join emp3 on dept3.deptno=emp3.dept_idunionselect* from dept3 right outer join emp3 on dept3.deptno =emp3.dept_id;

Completely master mysql multi-table operations

----外连接查询
----查询哪些部门有员工,哪些部门没有员工

usemydb3;select* from dept3 a left outer join emp3 b on a.deptno = b.dept.idselect* from dept3 a left join emp3 b on a.deptno = b.dept_id;

----外连接多个表

select* from Aleft join B on 条件1left join C on 条件2left join D on 条件3;

Completely master mysql multi-table operations

----查询哪些员工有对应的部门,哪些没有

select * from dept3 a right outer join emp3 b on a.deptno = b.dept_id;select* from dept3 a right join emp3 b on a.deptno = b,dept_id;select*from Aright joinB on条件1,right joinC on条件2,right joinD on条件3;

Completely master mysql multi-table operations

----实现满外连接: full join
----使用 union 关键字实现左外连接和右外连接的并集
----select * from dept3 a full join emp3 b on a.deptno = b.dept_id; --不能执行

----union是将两个查询结果上下拼接,并去重

select* from dept3 a left join emp3 b on a.deptno = b.dept_idunionselect* from dept3 a right join emp3 b on a.deptno = b.dept_id

----union all 是将两个查询结果上下拼接,不去重

select* from dept3 a left join emp3 b on a.deptno = b.dept_idunion allselect* from dept3 a right join emp3 b on a.deptno= b.dept_id

Completely master mysql multi-table operations

• 基本子查询
• 子查询关键字-ALL
• 子查询关键字-ANY ,SOME
• 子查询关键字-IN
• 子查询关键字-EXISTS
• 自关联查询

推荐学习:mysql视频教程

The above is the detailed content of Completely master mysql multi-table operations. For more information, please follow other related articles on the PHP Chinese website!

Statement
This article is reproduced at:CSDN. If there is any infringement, please contact admin@php.cn delete
MySQL String Types: Storage, Performance, and Best PracticesMySQL String Types: Storage, Performance, and Best PracticesMay 10, 2025 am 12:02 AM

MySQLstringtypesimpactstorageandperformanceasfollows:1)CHARisfixed-length,alwaysusingthesamestoragespace,whichcanbefasterbutlessspace-efficient.2)VARCHARisvariable-length,morespace-efficientbutpotentiallyslower.3)TEXTisforlargetext,storedoutsiderows,

Understanding MySQL String Types: VARCHAR, TEXT, CHAR, and MoreUnderstanding MySQL String Types: VARCHAR, TEXT, CHAR, and MoreMay 10, 2025 am 12:02 AM

MySQLstringtypesincludeVARCHAR,TEXT,CHAR,ENUM,andSET.1)VARCHARisversatileforvariable-lengthstringsuptoaspecifiedlimit.2)TEXTisidealforlargetextstoragewithoutadefinedlength.3)CHARisfixed-length,suitableforconsistentdatalikecodes.4)ENUMenforcesdatainte

What are the String Data Types in MySQL?What are the String Data Types in MySQL?May 10, 2025 am 12:01 AM

MySQLoffersvariousstringdatatypes:1)CHARforfixed-lengthstrings,2)VARCHARforvariable-lengthtext,3)BINARYandVARBINARYforbinarydata,4)BLOBandTEXTforlargedata,and5)ENUMandSETforcontrolledinput.Eachtypehasspecificusesandperformancecharacteristics,sochoose

How to Grant Permissions to New MySQL UsersHow to Grant Permissions to New MySQL UsersMay 09, 2025 am 12:16 AM

TograntpermissionstonewMySQLusers,followthesesteps:1)AccessMySQLasauserwithsufficientprivileges,2)CreateanewuserwiththeCREATEUSERcommand,3)UsetheGRANTcommandtospecifypermissionslikeSELECT,INSERT,UPDATE,orALLPRIVILEGESonspecificdatabasesortables,and4)

How to Add Users in MySQL: A Step-by-Step GuideHow to Add Users in MySQL: A Step-by-Step GuideMay 09, 2025 am 12:14 AM

ToaddusersinMySQLeffectivelyandsecurely,followthesesteps:1)UsetheCREATEUSERstatementtoaddanewuser,specifyingthehostandastrongpassword.2)GrantnecessaryprivilegesusingtheGRANTstatement,adheringtotheprincipleofleastprivilege.3)Implementsecuritymeasuresl

MySQL: Adding a new user with complex permissionsMySQL: Adding a new user with complex permissionsMay 09, 2025 am 12:09 AM

ToaddanewuserwithcomplexpermissionsinMySQL,followthesesteps:1)CreatetheuserwithCREATEUSER'newuser'@'localhost'IDENTIFIEDBY'password';.2)Grantreadaccesstoalltablesin'mydatabase'withGRANTSELECTONmydatabase.TO'newuser'@'localhost';.3)Grantwriteaccessto'

MySQL: String Data Types and CollationsMySQL: String Data Types and CollationsMay 09, 2025 am 12:08 AM

The string data types in MySQL include CHAR, VARCHAR, BINARY, VARBINARY, BLOB, and TEXT. The collations determine the comparison and sorting of strings. 1.CHAR is suitable for fixed-length strings, VARCHAR is suitable for variable-length strings. 2.BINARY and VARBINARY are used for binary data, and BLOB and TEXT are used for large object data. 3. Sorting rules such as utf8mb4_unicode_ci ignores upper and lower case and is suitable for user names; utf8mb4_bin is case sensitive and is suitable for fields that require precise comparison.

MySQL: What length should I use for VARCHARs?MySQL: What length should I use for VARCHARs?May 09, 2025 am 12:06 AM

The best MySQLVARCHAR column length selection should be based on data analysis, consider future growth, evaluate performance impacts, and character set requirements. 1) Analyze the data to determine typical lengths; 2) Reserve future expansion space; 3) Pay attention to the impact of large lengths on performance; 4) Consider the impact of character sets on storage. Through these steps, the efficiency and scalability of the database can be optimized.

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

Video Face Swap

Video Face Swap

Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Tools

MinGW - Minimalist GNU for Windows

MinGW - Minimalist GNU for Windows

This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

MantisBT

MantisBT

Mantis is an easy-to-deploy web-based defect tracking tool designed to aid in product defect tracking. It requires PHP, MySQL and a web server. Check out our demo and hosting services.