MySQL commonly used SQL and commands from entry to deleting database and running away

MySQL commonly used SQL and commands from entry to deleting database and running away

Start and stop

Start mysql service

sudo /usr/local/mysql/support-files/mysql.server start

Stop mysql service

sudo /usr/local/mysql/support-files/mysql.server stop

Restart mysql service

sudo /usr/local/mysql/support-files/mysql.server restart

Enter the mysql directory file

cd /usr/local/mysql/support-files

Enter the mysql command line

/usr/local/MySQL/bin/mysql -uroot -p12345678

Exit Database

exit;

Database related operations

Query all databases

show databases;

Select (use) database

use mybatis;

Query the name of the database currently in use

select database();

Create a database

create database database name;

create database if not exists 數據庫名;

Deleting a Database

drop database database name;

Determine drop database if exists 數據庫名稱;

Database table related operations

Create Database Tables

create table table name(
	Column name 1 Data type 1,
	Column name 2 Data type 2,
	....
	Column Name n Data Type n
	);

Copy Table

create table table name like the table name to be copied;

View all tables in a database

show tables;

View the structure of the data table

desc pet; or describe pet;

Modify table name

alter table rename the table name to the new table name;

Modify the character set of a table

alter table table name character set character set name;

Add a column

alter table table name add column name data type;

Deleting a column

alter table table name drop column name;

Delete a table

drop table table name; or drop table if exists table name;

Add data

insert into table name (column name 1, column name 2, ... column name n) values ​​(value 1, value 2, ... value n);

The column names and values ​​must correspond one to one. If no column name is defined after the table name, values ​​are added to all columns by default, such as: insert into table name values ​​(value 1, value 2, ... value n); except for numeric types, other types need to be quoted (single or double).

Deleting Data

delete from table name where condition

Among them: If no conditions are added, all records in the table will be deleted. If you want to delete all records, use delete from table name; this is generally not recommended. This operation will execute as many delete operations as there are records.

TRUNCATE TABLE table name; recommended, more efficient to delete the table first, then create the same table.

Modify data

update table name set column name 1 = value 1, column name 2 = value 2,... where condition; if no condition is added, all records in the table will be modified.

insert into user2 values ​​(1,'李四','123'); // add delete from pet where ower = 'disn'; // delete update pet set name = '后裔' where ower = 'dfn'; // modify

Query data

①> 、< 、<= 、>= 、= 、<>	
②BETWEEN...AND	
③ IN(collection)	
④LIKE fuzzy query	
⑤_A single arbitrary character ⑥%Multiple arbitrary characters ⑦IS NULL 
⑧and or &&
⑨or or|| 
⑩not or!
Examples of query conditions:
SELECT * FROM user WHERE age >= 18;
SELECT * FROM user WHERE age >= 18 AND age <=36;
SELECT * FROM user WHERE age BETWEEN 40 AND 70;
SELECT * FROM user WHERE age IN (6,18,37);
// About NULL
SELECT * FROM user WHERE height = NULL; Error, because null value cannot use = or (!=) Judgment SELECT * FROM user WHERE height IS NULL; (correct)
SELECT * FROM user WHERE height IS NOT NULL; (correct)
// Query who has the last name Chen? < like>
SELECT * FROM user WHERE NAME LIKE '陈%';
// Query people whose second character of the name is new SELECT * FROM user WHERE NAME LIKE "_新%";
// Query people whose names are three characters SELECT * FROM user WHERE NAME LIKE '___';
// Query people whose names contain dog SELECT * FROM user WHERE NAME LIKE '%狗%';

Constraint related

Primary key constraint

To uniquely identify a record in a table, we can add constraints to a field so that the field is not repeated and not empty.

 create table user (
	id int primary key auto_increment, // When creating a table, add a primary key constraint and complete the primary key auto-increment	
	name varchar(20)
 );
-- Composite primary key: A primary key composed of multiple fields, as long as the sum of the composite primary keys is not repeated. Any field in the composite primary key cannot be empty.
create table user2 (
 	id int,
 	name varchar(20),
 	password varchar(20),
 	primary key(id, name)
);

After the table is created:

Add a primary key. For example:

①alter table user add primary key(id);

②alter table user modify id int primary key;

Delete alter table user drop primary key;

Unique constraint: The value of the field modified by the unique constraint cannot be repeated.

 create table user1 (
 	id int primary key auto_increment,
 	phone_num varchar(20) unique
 	 );
 create table user2 (
 	id int primary key auto_increment,
 	name varchar(20),
 	unique(id, name) // means that the two fields are not repeated together );
 	 

You can also add a unique constraint after the table is created by using alter table user3 add unique(phone_num); or alter table user3 modify phone_num varchar(20) unique;
Delete unique constraint: alter table user3 drop index phone_num;

Not null constraint: The field modified by not null cannot be NULL

create table user3 (
	id int primary key auto_increment,
	name varchar(20) not null
	);

Delete the not null constraint: alter table user3 modify name varchar(20);

Default Constraints

When we insert a field value, if the corresponding field does not have a value inserted, the default value will be used. If a value is passed in, the default value will not be used.

create table user4(
	id int primary key auto_increment,
	age int default 18,
	name varchar(20) not null
	);

Foreign key constraint: foreign key

create table table name(
....
Foreign key column constraint Foreign key name foreign key (foreign key column name) references Primary table name (primary table column name)
);
//Class create table classes(
	id int primary key,
	name varchar(20)
	);	
// Student table create table student (
		id int primary key,
		name varchar(20),
		class_id int,
		foreign key(class_id) references classes(id)
		);
		

Advanced Database Query

Query all records For example: Query all records in the student table.

select * from student;

Query the specified fields, for example: query sname, ssex, class in student.

select sname,ssex,class from student;

Query all units in the teacher table, that is, the distinct depart column. <Exclude duplicate distinct>

select distinct depart from teacher;

Query all records in the score table whose scores are between 60 and 80 <query interval between...and...>

select * from score where degree between 60 and 80;
select * from score where degree > 60 and degree < 80;

Query the records with scores of 85, 86 or 88 in the score table select * from score where degree in(85, 86, 88);

Query the student table for students in class '95031' or whose gender is 'female'. <or means either>

select *from student where class = '95031' or sex = '女';

Query all records in the student table in descending order of class <desc, asc, default ascending (omitted)>.

select * from student order by class desc;

Query all records in the score table in ascending order of cno and descending order of degree select * from score order by cno asc,degree desc;

Query the number of students in class "95031" <statistics count>

select count(*) from student where class = '95031';
Query the student ID and course ID of the student with the highest score in the score table (subquery)

select sno, cno from score where degree = (select max(degree) from score ); where: select max(degree) from score to find the highest score first.

select sno,cno degree from score order by degree desc limit 0,1; where: the first number of limit indicates the starting point, and the second number indicates the number of entries. When there are multiple identical highest scores, bugs are likely to occur, so this method of query is not recommended.

Query the average score of each course select cno, avg(degree) from score group by cno;

Query the average score of the courses in the score table that are taken by at least 2 students and start with 3.

select cno, avg(degree) from score group by cno having count(cno) >= 2 and cno like '3%';

Query the sno column with scores greater than 70 and less than 90.

select sno, degree from score where degree between 70 and 90;
Query the sname, cno and degree columns of all students.
select sname, cno, degree from student, score where student.sno = score.sno;
Query the sno, cname and degree columns of all students select sno, cname, degree from course , score where course.cno = score.cno;
Query the average score of each course for students in class "95031".
select cno, avg(degree) from score where sno in (select sno from student where class = '95031') group by cno;
Query the records of all students who have taken the elective course "3-105" and whose scores are higher than those of student No. "109" in "3-105".
select * from score where cno = '3-105' and degree > (select degree from score where sno = '109' and cno = '3-105');
Query all records whose scores are higher than those of the student with the student number "109" and the course number "3-105" select * from score where degree > (select degree from score where sno = '109' and cno = '3-105');
Query all sno, sname, sbirthday of students born in the same year as student number 108,101
select *from student where year(sbirthday) in (select year(sbirthday) from student where sno in(108, 101));
Query the grades of students taught by teacher "Zhang Xu" select * from score where cno = ( select cno from course where tno = (select tno from teacher where tname = "Zhang Xu"));
Query the names of teachers whose students taking a course are more than 5.
select tname from teacher where tno = (select tno from course where cno = (select cno from score group by cno having count(*) > 5));
Query the CNOs for courses with scores above 85
select cno, degree from score where degree > 85;
Query the score table of courses taught by teachers in the "Computer Science Department" select * from score where cno in (select cno from course where tno in (select tno from teacher where depart = "Computer Science Department"));
Query the CNO, SNO and degree of students who have taken the elective number "3-105" and whose grades are at least higher than those of the elective number "3-245", and sort them in descending order by degree.
any at least one.
select * from score where cno = '3-105' and degree > any(select degree from score where cno = '3-245') order by degree desc;

Query the CNO, SNO and degree of students who have taken the elective number "3-105" and whose grades are higher than those of students who have taken the elective number "3-245", and sort them by degree from high to low.
all means all

select * from score where cno = '3-105' and degree > all(select degree from score where cno = '3-245') order by degree desc;

Query the name, sex and birthday of all teachers and classmates

select tname as name, tsex as sex, tbirthday as birthday from teacher union select sname, ssex, sbirthday from student;

Query the name, sex and birthday of all female teachers and female classmates

select tname as name, tsex as sex, tbirthday as birthday from teacher where tsex = '女' union select sname, ssex, sbirthday from student where ssex = '女';

The idea of ​​querying the score table of students whose scores are lower than the course score is: find the corresponding score from table a and compare it with the average score selected from table b.

select * from score a where degree < (select avg(degree) from score b where a.cno = b.cno);
Table a
+-----+-------+--------+
| sno | cno | degree |
+-----+-------+--------+
| 101 | 3-105 | 91 |
| 102 | 3-105 | 92 |
| 103 | 3-105 | 92 |
| 103 | 3-245 | 86 |
| 103 | 6-166 | 85 |
| 104 | 3-105 | 81 |
| 105 | 3-105 | 88 |
| 105 | 3-245 | 75 |
| 105 | 6-166 | 79 |
| 109 | 3-105 | 76 |
| 109 | 3-245 | 68 |
| 109 | 6-166 | 81 |
+-----+-------+--------+
12 rows in set (0.00 sec) 

Table b
| sno | cno | degree |
+-----+-------+--------+
| 101 | 3-105 | 91 |
| 102 | 3-105 | 92 |
| 103 | 3-105 | 92 |
| 103 | 3-245 | 86 |
| 103 | 6-166 | 85 |
| 104 | 3-105 | 81 |
| 105 | 3-105 | 88 |
| 105 | 3-245 | 75 |
| 105 | 6-166 | 79 |
| 109 | 3-105 | 76 |
| 109 | 3-245 | 68 |
| 109 | 6-166 | 81 |
+-----+-------+--------+
12 rows in set (0.00 sec) 

Query the tname and departure of all teachers

select tname, depart from teacher where tno in (select tno from course);

Query the class numbers with at least two boys

select class from student where ssex= '男' group by class having count(*) > 1

Query the student table for students whose last name is not "Wang"

select * from student where sname not like '王%';

Query the name and age of each student in the student table

select sname, year(now()) - year(sbirthday) as 'age' from student;

Query the maximum and minimum birthday date values ​​in the student table

select max(sbirthday) as 'maximum', min(sbirthday) as 'minimum' from student;

Query all records in the student table in descending order of class number and age

select * from student order by class desc, sbirthday;

Query "male" teachers and the courses they teach

select * from course where tno in (select tno from teacher where tsex = '男');

Query the sno, cno and degree columns of the students with the highest scores

select * from score where degree = (select max(degree) from score);

Query the sname of all classmates of the same gender as Li Jun

select sname from student where ssex = (select ssex from student where sname = '李军');

Query the names of students who are of the same gender and class as Li Jun

select sname from student where ssex = (select ssex from student where sname = "李军") and class = (select class from student where sname = '李军');

Query the score table of all male students who have taken the course "Introduction to Computer Science"

select * from score where cno = (select cno from course where cname = 'Introduction to Computer Science') and sno in(select sno from student where ssex = '男');

Four types of SQL join queries

Data preparation for analytical use cases:
mysql> select * from person;
+----+--------+--------+
| id | name | cardId |
+----+--------+--------+
| 1 | Zhang San | 1 |
| 2 | Li Si | 3 |
| 3 | Wang Wu | 6 |
+----+--------+--------+
3 rows in set (0.00 sec)
mysql> select * from card;
+------+-----------+
| id | name |
+------+-----------+
| 1 | Meal Card|
| 2 | CCB Card|
| 3 | Agricultural Bank Card|
| 4 | Business Card|
| 5 | Postal Card |
+------+-----------+
5 rows in set (0.00 sec)

Inner Join

inner join or join , usually followed by an on condition
---- Inline query: It is the data in two tables, through a certain field is equal, query the related record data.
<The cardid in the current table is the same as id.>

select * from person inner join card on person.cardId = card.id;
+----+--------+--------+------+-----------+
| id | name | cardId | id | name |
+----+--------+--------+------+-----------+
| 1 | Zhang San| 1 | 1 | Meal Card|
| 2 | Li Si | 3 | 3 | Agricultural Bank Card |
+----+--------+--------+------+-----------+
2 rows in set (0.00 sec)

Outer Join

Left outer join: left left join or left outer join
---- Left outer join will fetch all the data in the left table, and if the data in the right table is equal, it will be displayed, if not, NULL will be filled.

select * from person left join card on person.cardId = card.id;

+----+--------+--------+------+-----------+
| id | name | cardId | id | name |
+----+--------+--------+------+-----------+
| 1 | Zhang San| 1 | 1 | Meal Card|
| 2 | Li Si | 3 | 3 | Agricultural Bank Card |
| 3 | Wang Wu | 6 | NULL | NULL |
+----+--------+--------+------+-----------+
3 rows in set (0.00 sec)

Right outer join: right join join or right outer join

----Right outer join will fetch all the data in the right table, and if the data in the left table is equal, it will be displayed, if not, NULL will be filled.

select * from person right join card on person.cardId = card.id;

+------+--------+--------+------+-----------+
| id | name | cardId | id | name |
+------+--------+--------+------+-----------+
| 1 | Zhang San| 1 | 1 | Meal Card|
| 2 | Li Si | 3 | 3 | Agricultural Bank Card |
| NULL | NULL | NULL | 2 | CCB Card |
| NULL | NULL | NULL | 4 | Business Card |
| NULL | NULL | NULL | 5 | Postal Card |
+------+--------+--------+------+-----------+
5 rows in set (0.01 sec)

Full outer join: full join outer join or full outer join <mysql does not support full join>

mysql> select * from person full join card on person.cardId= card.id;
ERROR 1054 (42S22): Unknown column 'person.cardId' in 'on clause'
**** How to solve the problem that MySQL does not support full join ****
 <Left connection + right connection>, that is, connect the left and right connections through union. <Left connection union right connection>.
eg:

select * from person left join card on person.cardId = card.id union select * from person right join card on person.cardId = card.id;

+------+--------+--------+------+-----------+
| id | name | cardId | id | name |
+------+--------+--------+------+-----------+
| 1 | Zhang San| 1 | 1 | Meal Card|
| 2 | Li Si | 3 | 3 | Agricultural Bank Card |
| 3 | Wang Wu | 6 | NULL | NULL |
| NULL | NULL | NULL | 2 | CCB Card |
| NULL | NULL | NULL | 4 | Business Card |
| NULL | NULL | NULL | 5 | Postal Card |
+------+--------+--------+------+-----------+
6 rows in set (0.01 sec)

Key points

What is the difference between where and having?

(1) Having is usually used before an aggregate function to filter the aggregate function (MAX, MIN, COUNT, SUM). Having is usually used together with group by because where cannot be added after group by.
(2) where is used to limit the grouping. If the condition is not met, the grouping will not be performed. Having is used to limit after grouping. If the result is not satisfied, it will not be queried. Where cannot be followed by an aggregate function, but having can be used to judge the aggregate function.

MYSQL executes statements in a strict order and cannot change the select statement.
from
where
group by
having
order by

MySQL Transactions

About Affairs

In MySQL, a transaction is actually a smallest indivisible unit of work. A transaction can ensure the integrity of a business.

analyze:

For example:
a --> -100
update user set money = money - 100 where name = 'a';
b --> +100
update user set money = money + 100 where name = 'b';
-- In the actual program, if only one SQL statement is executed successfully, but the other one is not executed successfully? Then the data before and after will be inconsistent.
update user set money = money - 100 where name = 'a';
update user set money = money + 100 where name = 'b';
In multiple SQL statements, there may be requirements for simultaneous success or simultaneous failure.

Transaction Control

(1) Transactions mainly include automatic commit @@autocommit=1;, manual commit; and transaction rollback;.
(2) MySQL enables transactions by default (auto commit).
----When we execute a SQL statement, the effect will be immediately displayed and cannot be rolled back.
set autocommit = 0; Set whether MySQL will automatically commit, <0 for no, 1 for yes.>
select @@autocommit; to view the automatic submission mode of MySQL.
commit; Manually commit.
For specific transaction control, refer to the following code analysis:

mysql> select @@autocommit;
+--------------+
| @@autocommit |
+--------------+
| 1 |
+--------------+
1 row in set (0.00 sec)
//Create table create database bank;
create table user (
	id int primary key,
 name varchar(20),
 money int
 );
// First insert a user data a into the table.
insert into user values ​​(1,'a',1000);
Query OK, 1 row affected (0.00 sec)
// Perform a rollback operation.
mysql> rollback;
Query OK, 0 rows affected (0.00 sec)
// After executing the rollback, check the data table information and find that even if rollback is called, the inserted data still exists. This means that rollback is not possible at the moment.
mysql> select * from user;
+----+------+-------+
| id | name | money |
+----+------+-------+
| 1 | a | 1000 |
+----+------+-------+
1 row in set (0.00 sec)
// You can set msql's rollback auto-commit to false.
set autocommit = 0;
Query OK, 0 rows affected (0.00 sec)
mysql> select @@autocommit;
+--------------+
| @@autocommit |
+--------------+
| 0 |
+--------------+
1 row in set (0.00 sec)
// In other words, the above set autocommit = 0; operation turns off MySQL's automatic commit.
*******Insert data again:*******
insert into user values ​​(2,'b',1000);
Query OK, 1 row affected (0.00 sec)
// Check the table after inserting the data, user 2's data has been added successfully.
mysql> select * from user;
+----+------+-------+
| id | name | money |
+----+------+-------+
| 1 | a | 1000 |
| 2 | b | 1000 |
+----+------+-------+
2 rows in set (0.00 sec)
// Perform a rollback operation.
mysql> rollback;
Query OK, 0 rows affected (0.00 sec)
// After rolling back, check the table again and find that the data just inserted has been deleted.
mysql> select * from user;
+----+------+-------+
| id | name | money |
+----+------+-------+
| 1 | a | 1000 |
+----+------+-------+
1 row in set (0.01 sec)
**** For this scenario, if you want user b to successfully submit the data, you can use the commit; command to perform a manual submission operation. After manual submission, if you want to undo it again through rollback, it is not possible. In other words, once the transaction is submitted, the executed SQL statement cannot be undone, which means that once the transaction is submitted, the data will have a lasting effect.



(3) Manually start a transaction
Both begin and start transaction can manually start a transaction. That is to say, if our current MySQL is in auto-commit mode by default, executing rollback to roll back the transaction is invalid. However, transactions can be manually started through begin and start transaction.

Right now:
 The current default mode is auto-commit mode, and executing rollback is invalid at this time. Execute the following SQL statement:
 start transaction; (or begin;)
 update user set money = money - 100 where name = 'a';
 update user set money = money + 100 where name = 'b';
 After inserting user data a and b, execute rollback again and find that the transaction can be rolled back successfully. You can successfully switch to the mode of manually opening transactions. If you want the inserted data to take effect, you also need to manually execute commit to commit the operation.
 After the transaction is started, once it is committed, it cannot be rolled back, that is, the current transaction is over when it is committed.
 

Four characteristics of affairs

A Atomicity: A transaction is the smallest unit and cannot be split.
C Consistency: Transaction requirements, SQL statements in the same transaction must be guaranteed to succeed and fail at the same time.
I Isolation: Transaction 1 and Transaction 2 are isolated from each other.
D Persistence: Once a transaction ends (commit, rollback), it cannot be returned.
Transaction isolation: Multiple transactions are isolated and independent of each other. However, if multiple transactions operate on the same batch of data, some problems may arise, and setting different isolation levels can solve these problems.

Problems:

(1) Dirty read: A transaction reads data that has not been committed by another transaction.
(2) Non-repeatable read (virtual read): In the same transaction, the data read twice is different.
(3) Phantom read: If one transaction operates (DML) all records in a data table, and another transaction adds a piece of data, the first transaction cannot query its own changes.
read uncommitted; Read uncommitted –>Problems caused: dirty read, non-repeatable read, phantom read.
read committed; read committed –>problems: non-repeatable read, phantom read repeatable read; repeatable read –>problems: phantom read
serializable; serialization <very poor performance>

Generally, the higher the isolation level, the worse the performance.

(1) Check the isolation level of the database
MySQL default isolation level: REPEATABLE-READ
mysql8.0:
System level: select @@global.transaction_isolation;
Session level: select @@transaction_isolation;
mysql5.x:
System level: select @@global.tx_isolation;
Session level: select @@tx_isolation;

mysql> select @@global.transaction_isolation;
+--------------------------------+
| @@global.transaction_isolation |
+--------------------------------+
| REPEATABLE-READ |
+--------------------------------+
1 row in set (0.00 sec)

(2) Modify the isolation level
set global tansaction isolation level read uncomitted;

The three major database paradigms

First Paradigm

All fields in the data table are indivisible atomic items. It can be preliminarily understood that if the field value can be further split, it does not meet the first normal form.
For example, there is an address field in a table, and the inserted value is "No. 11, Baishulin, Beilin District, Xi'an City, Shaanxi Province, China". The value of this field can be further split, and in principle does not meet the first normal form. It can be split into: country/province/city/district/street, etc.
Of course, the more detailed the paradigm design is, the better it may be for some practical operations. But it is not necessarily a benefit. <For example, for the address field, such detailed information may never be used after it is split, so there may be no need to split it.>

Second Paradigm

The second normal form requires that every column except the primary key must be completely dependent on the primary key, provided that the first normal form is met. If incomplete dependence is to occur, it can only occur in the case of a joint primary key.

For example:
create table myorder(
		product_id int,
		customer_id int,
		product_name varchar(20),
		customer_name varchar(20),
		primary key(product_id, customer_id
	);
	In the current table, columns other than the primary key only depend on some fields of the primary key. This does not satisfy the second normal form and usually requires table splitting.
create table myorder(
		order_id int primary key,
		product_id int,
		customer_id int
	);
create table product (
		id int primary key,
		name varchar(20)
	);
create table customer(
		id int primary key,
		name varchar(20)
		);
After being split into three tables, the second normal form is met.

Third Paradigm

The second paradigm must be met first. There can be no transitive dependencies between columns other than the primary key column.

appendix

The SQL statements involved in the query

create table student(
	sno varchar(20) primary key,
	sname varchar(20) not null,
	ssex varchar(20) not null,
	sbrithday datetime,
	class varchar(20)
	);

create table student(
	sno varchar(20) primary key,
	sname varchar(20) not null,
	ssex varchar(10) not null,
	sbirthday datetime,
	class varchar(20)
)

create table teacher(
	tno varchar(20) primary key,
	tname varchar(20) not null,
	tsex varchar(20) not null,
	tbirthday datetime,
	prof varchar(20) not null,
	depart varchar(20) not null
	);

create table course(
	cno varchar(20) primary key,
	cname varchar(20) not null,
	tno varchar(20) not null,
	foreign key(tno) references teacher(tno)
	);

create table score(
	sno varchar(20) not null,
	degree decimal,
	primary key (sno, cno),
	foreign key (sno) references student(sno),
	foreign key (cno) references course (cno)
	);

insert into student values ​​('101','Zeng Hua','Male','1977-09-01','95033');
insert into student values ​​('102','匡明','男','1975-10-02','95031');
insert into student values ​​('103','王丽','女','1976-01-23','95033');
insert into student values ​​('104','李军','男','1976-02-20','95033');
insert into student values ​​('105','王芳','女','1975-02-10','95031');
insert into student values ​​('106','陆君','男','1974-06-03','95031');
insert into student values ​​('107','王尼马','男','1976-02-20','95033');
insert into student values ​​('108','张全蛋','男','1975-02-10','95031');
insert into student values ​​('109','赵铁柱','男','1974-06-03','95031');

insert into teacher values ​​('804','李成','男','1958-12-02','副教授','计算机系');
insert into teacher values ​​('856','张旭','男','1969-03-12','讲座师','电子工程部');
insert into teacher values ​​('825','王萍','女','1972-05-05','教助手','计算机系');
insert into teacher values ​​('831','Liu Bing','Female','1977-08-14','Teaching Assistant','Department of Electronic Engineering');

insert into course values ​​('3-105','Introduction to Computer', '825');
insert into course values ​​('3-245','operating system', '804');
insert into course values ​​('6-166','Digital Circuit', '856');
insert into course values ​​('9-888','Advanced Mathematics', '831');
 
insert into score values('103','3-245','86');
insert into score values('105','3-245','75');
insert into score values('109','3-245','68');
insert into score values('103','3-105','92');
insert into score values('105','3-105','88');
insert into score values('109','3-105','76');
insert into score values('103','3-105','64');
insert into score values('105','6-166','79');
insert into score values('109','6-166','81');


create table person(
	id int primary key auto_increment,
	name varchar(20),
	cardId int
);

create table card (
	id int,
	name varchar(20)
);

insert into card values ​​(1,'Rice Card');
insert into card values ​​(2,'CC银行卡');
insert into card values ​​(3,'Agricultural Bank Card');
insert into card values ​​(4,'Business Card');
insert into card values ​​(5,'Postal Card');

insert into person values ​​(1,'张三',1);
insert into person values ​​(2,'李四',3);
insert into person values ​​(3,'王五',6);



This is the end of this article about MySQL's commonly used SQL and commands from getting started to deleting databases and running away. For more relevant MySQL introductory content, please search for previous articles on 123WORDPRESS.COM or continue to browse the following related articles. I hope everyone will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • Solution to the problem that MySQL commands cannot be entered in Chinese
  • Detailed explanation of encoding issues during MySQL command line operations
  • Introduction to the use of MySQL source command
  • Implementation of mysql using mysqlbinlog command to restore accidentally deleted data
  • Introduction to query commands for MySQL stored procedures
  • Three methods of automatically completing commands in MySQL database
  • MySQL password contains special characters & operation of logging in from command line
  • Mysql desktop tool SQLyog resources and activation methods say goodbye to the black and white command line
  • MySQL login and exit command format
  • How to use the MySQL authorization command grant
  • Summary of MySQL basic common commands

<<:  Example code of CSS responsive layout system

>>:  docker cp copy files and enter the container

Recommend

Detailed explanation of the application of the four states of hyperconnection

Although you think it may be a browser problem, i...

Implementing a simple Christmas game with JavaScript

Table of contents Preface Achieve results Code CS...

How to dynamically modify container port mapping in Docker

Preface: Docker port mapping is often done by map...

Vue realizes the logistics timeline effect

This article example shares the specific code of ...

The actual process of implementing the guessing number game in WeChat applet

Table of contents Function Introduction Rendering...

Vue realizes the progress bar change effect

This article uses Vue to simply implement the cha...

Introduction and analysis of three Binlog formats in MySQL

one. Mysql Binlog format introduction Mysql binlo...

MySQL tutorial data definition language DDL example detailed explanation

Table of contents 1. Introduction to the basic fu...

Detailed explanation of Vue3's responsive principle

Table of contents Review of Vue2 responsive princ...

JS ES new features template string

Table of contents 1. What is a template string? 2...

How to export and import .sql files under Linux command

This article describes how to export and import ....

Summary of Vue 3 custom directive development

What is a directive? Both Angular and Vue have th...

Summary of common problems and solutions in Vue (recommended)

There are some issues that are not limited to Vue...