无论是那种数据库的产品,SQL语法都是通用的。
DDL指的是数据定义语言,这些语句定义了不同的数据段、数据库、表、列、索引等数据库对象。
主要的语句关键字包括create、drop、alter等。
注意: 在生产环境中,DDL类操作需要慎用,因为不能做roolback操作,一旦执行无法回退
例如:
--创建一个student表
create table student(
id int identity(1,1) not null,
name varchar(20) null,
course varchar(20) null,
grade numeric null
)
--student表增加一个年龄字段
alter table student add age int NULL
--student表删除年龄字段,删除的字段前面需要加column,不然会报错,而添加字段不需要加column
alter table student drop Column age
--删除student表
drop table student --删除表的数据和表的结构
truncate table student -- 只是清空表的数据,,但并不删除表得结构,student表还在只是数据为空
DML指的是数据操作语句,用于添加、删除、更新和查询数据库记录,并检查数据完整性。
主要的语句关键字包括insert、delete、update、select等。
例如:
--向student表中插入数据
--数据库插入数据 一次性插入多行多列 格式为INSERT INTO table (字段1, 字段2,字段3) VALUES (值1,值2,值3),(值1,值2,值3),...;
INSERT INTO student (name, course,grade) VALUES ('张飞','语文',90),('刘备','数学',70),('关羽','历史',25),('张云','英语',13);
--更新关羽的成立
update student set grade='18' where name='关羽'
--关羽因为历史成绩太低,要退学,所以删除关羽这个学生
delete from student where name='关羽'
DQL指的是数据查询语句,用来进行数据库中数据的查询的,即最常用的select语句
例如:
--从student表中查询所有的数据
select * from student
--从student表中查询姓名为张飞的学生
select * from student where name='张飞'
注意:复杂的DQL语句需要以索引做为支撑,如果在条件列内没命中索引,且查询的数据量较大,那么查询的时间将很长
DCL指的是数据控制语句,用于控制不同数据段直接的许可和访问级别的语句。这些语句定义了数据库、表、字段、用户的访问权限和安全级别,比如常见的授权、取消授权、回滚、提交等等操作
主要的语句关键字包括grant、revoke等
①创建用户
CREATE USER 用户名@地址 IDENTIFIED BY '密码';
--创建一个testuser用户,密码111111
create user testuser@localhost identified by '111111';
②给用户授权
GRANT 权限1, … , 权限n ON 数据库.对象 TO 用户名;
--将test数据库中所有对象(表、视图、存储过程,触发器等。*表示所有对象)的create,alter,drop,insert,update,delete,select赋给testuser用户
grant create,alter,drop,insert,update,delete,select on test.* to testuser@localhost;
③撤销授权
REVOKE权限1, … , 权限n ON 数据库.对象 FORM 用户名;
--将test数据库中所有对象的create,alter,drop权限撤销
revoke create,alter,drop on test.* to testuser@localhost;
④查看用户权限
SHOW GRANTS FOR 用户名;
--查看testuser的用户权限
show grants for testuser@localhost;
⑤删除用户
DROP USER 用户名;
--删除testuser用户
drop user testuser@localhost;
⑥修改用户密码
USE mysql;
UPDATE USER SET PASSWORD=PASSWORD(‘密码’) WHERE User=’用户名’ and Host=’IP’;
FLUSH PRIVILEGES;
--将testuser的密码改为123456
update user set password=password('123456') where user='testuser' and host=’localhost’;
flush privileges;