写在前面
- 本文中 [ 内容 ] 代表啊可选项,即可写可不写。
SQL语言的基本功能介绍
SQL是一种结构化查询语言,主要有如下几个功能:
- 数据定义语言(DDL):全称Data Definition Language
- 数据操纵语言(DML):全称Data Manipulation Language
- 数据查询语言(DQL):全称Data Query Language
- 数据控制语言(DCL):全称Data Control Language
- 事务控制语言(TCL):全称Transaction Control Language
数据定义语言的用途
DDL主要是对数据库对象(数据库、表、视图、索引)的操作。常用命令如下:
create | alter | drop |
数据库的操作语句
显示当前所有库
-- 显示说有的库
show databases;
创建库
-- 创建库
-- create database [if not exists] 数据库名 [charset=utf8];
-- 重复创建会报错, 可以加上if not exists
create database if not exists student;
销毁库
-- 销毁库
-- drop database [if exists] 数据库名;
-- 如果不知道数据库是否存在,记得加if exists
drop database if exists student;
使用库
-- 使用库
-- use 数据库名;
-- 创建数据库后,当进行对表的操作之前,必须要先使用数据库。
use student;
其他
-- 查看当前所在的库
select database();
-- 修改数据库名
rename database 旧名 to 新名;
数据表的操作
查看当前库中都有哪些表
-- 查看当前库中都有哪些表
show tables;
创建表
-- 格式
-- 注意:表名 和 字段名 尽量使用 ` `(反引号)括起来
crate table [if not exists] `表名`(
`字段名` 字段类型 [属性] [索引] [注释],
`字段名` 字段类型 [属性] [索引] [注释],
......
`字段名` 字段类型 [属性] [索引] [注释]
)[表的搜索引擎] [字符编码] [注释];
简单示例:
create table if not exists `table`(
`sid` int,
`sname` varchar(20),
`age` int
)charset=utf8;
注意:由于默认使用的engine就是InnoDB,这个建表时候可以不写。但是charset=utf8这个最好是加上,尤其是在CMD黑窗口中输入中文的时候,
不写这一句,会出现类似如下错误
ERROR 1366 (HY000): Incorrect string value: \'\\xD5\\xC5\' for column \'sname\' at row 1
查看表结构和建表语句
-- 查看表结构
-- desc 表名;
desc student;
-- 查看建表语句
-- show create table 表名;
show create table stu;
修改表名
-- rename table 旧名 to 新名;
rename table student to stu;
修改表结构
修改表结构中包含给表添加某个新字段,修改表中某个字段,删除表中某个字段
-
给表添加某个新字段,使用add关键字
- 默认是追加,即在最后一列添加新字段
- 在首位添加新字段,使用first关键字
-
修改表中某个字段,使用change或modify关键字
- 修改字段名称,使用change关键字
- 修改字段类型,既可以使用change,还可以使用modify
- 修改字段位置,可以配合使用first、after关键字
-
删除表中某个字段,使用drop关键字
-- alter table 表名 drop 字段名;
-- 删除cid这个字段
alter table `stu` drop `cid`;
-- alter table 表名 add 字段名 字段类型;
alter table `stu` add `cid` int;
-- alter table 表名 add 字段名 字段类型 first;
alter table `stu` add `cname` varchar(20) first;
-- alter table 表名 change 旧字段名 新字段名 字段类型;
-- 修改字段age的名称,为sage
alter table `stu` change `age` `sage` int;
-- 修改sname字段的数据类型由varchar(20)为varchar(50)
-- 有以下两种方式
-- alter table 表名 change 字段名 字段名 字段类型;
alter table `stu` change `sname` `sname` varchar(50);
-- alter table 表名 modify 字段名 字段类型;
alter table `stu` modify `sname` varchar(50);
-- 将sname字段,放置到sage后面。可以使用如下两种方式:
alter table `stu` change `sname` `sname` varchar(50) after `sage`;
alter table `stu` modify `sname` varchar(50) after `sage`;
-- 将sid字段,放置到首位
alter table `stu` change `sid` `sid` int first;
alter table `stu` modify `sid` int first;
modify不能直接修改字段名称,其余能用change的地方,就可以用modify。
清空表
truncate只删除数据但是不删除表结构
-- truncate table 表名;
truncate table `stu`;
销毁表
-- drop table 表名;
drop table `stu`;
注意:一般表结构有了,数据也有了,不要轻易修改表结构,增加、删除、修改列
来源:https://www.cnblogs.com/pure3417/p/14808153.html
图文来源于网络,如有侵权请联系删除。