1 前言
数据库(DB)是按照数据结构存储数据的仓库,数据库管理系统(DBMS)是操纵和管理数据库的一套软件,可分为关系型的数据库管理系统和非关系型的数据库管理系统。数据库管理系统采用结构化查询语言(SQL)来管理数据库。结构化查询语言按照功能分类,可分为数据定义语言(DDL)、数据操纵语言(DML)、数据查询语言(DQL)、事务控制语言(TCL)、数据控制语言(DCL)。SQL语句不区分大小写,语句最后的分号(;)代表运行结束。
2 SQL语言
2.1 DDL(数据定义语言)
- 创建数据库、表(create)
create database if not exists testDB;--创建数据库
--创建表
create table testtable(
sid int(4) DEFAULT NULL COMMENT '学生ID',
sex bit(1) DEFAULT NULL COMMENT '性别',
name varchar(10) DEFAULT NULL COMMENT '姓名',
birthday date DEFAULT NULL COMMENT '生日'
)ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COMMENT='学生清单'
create table testtable1 select * from testtable -- 另一种创建表的形式
- 修改表结构(alter)
-- 添加字段
alter table testtable add email varchar(20) first;--first | after 决定字段的位置
-- 修改字段名称
alter table testtable add email semail varchar(20) after sid;
--修改字段类型
alter table testtable add email varchar(50);
--删除字段
alter table testtable drop email;
- 表删除(drop)
-- 删除表
drop table testtable
-- 重命名
rename table testtable to test
-- 清空表
truncate table testtable
2.2 DML(数据操纵语言)
- 添加数据(insert)
insert into testtable values(1,0,'张三','2020-05-21')
insert into testtable(sid,sex,name,birthday) values(1,0,'张三','2020-05-21')--也可单独为某个字段赋值
insert into testtable(sid,sex,name,birthday) values(1,0,'张三','2020-05-21'),(2,0,'李四','2020-06-1');--批量插入
- 更新数据(update)
update testtable set sex=1 where sid =1;
- 删除数据(delete)
delete from testtable where sid =1;
2.3 DQL(数据查询语言)
- 查询(select)
select * from testtable
select sid,sex,name,birthday from testtable
- 条件(where)
select sid,sex,name,birthday from testtable where sid =1
- 排序(order by)
select sid,sex,name,birthday from testtable order by sid asc --升序 , sid desc 降序
- 去重(distinct)
select distinct name from testtable
- 分组(group by)
select sum(sid),sex from testtable GROUP BY sex
- 分组之后条件(having)
select sum(sid),sex from testtable GROUP BY sex having sex=1
- 限制(limit)
select sid,sex,name,birthday from testtable limit 0,5 --前5
2.4 TCL (事务控制语言)
- 存储引擎
show engines -- 查看存储引擎 默认为InnoDB
- 事务
事务就是用户定义的一个数据库操作序列,这些操作要么全做要么全都不做,是一个不可分割的工作单位,一般是指要做的或所做的事情。我们也可以理解为事务是由一个或多个SQL语句组成,如果其中有任何一条语句不能完成或者产生错误,那么这个单元里所有的sql语句都要放弃执行,所以只有事务中所有的语句都成功地执行了,才可以说这个事务被成功地执行!
Mysql默认一条SQL语句当做一个事务,自动进行事务提交。如果想把多条SQL语句看做一个事务,请参考如下代码。
set Autocommit =0;
start TRANSACTION;
insert into testtable(sid,sex,name,birthday) values(1,0,'张三','2020-05-21');
insert into testtable(sid,sex,name,birthday) values(1,0,'张三','2020-05-21');
...
commit;
rollback;
2.5 DCL(数据控制语言)
- 授权(grant)
grant 查找权限(select), 更新权限(update),删除权限(delete),全部权限(ALL) on 数据库名.表名 to ‘用户名’@’允许其登录的地址’ identified by ‘密码’;
grant all on test.* to user@'192.168.1.150' identified by "password";
show grants -- 查看权限,下图是root的权限。
- 删除权限(revoke)
revoke 查找权限(select), 更新权限(update),删除权限(delete),全部权限(ALL)on 数据库名.表名 from ‘用户名’@’允许其登录的地址’;
revoke all on test.* from user@'192.168.1.150';
flush privileges;--刷新权限
不求点赞,只求有用
本文由公众号《大数据分析师知识分享》发布