数据库操作
1.创建数据库
基本语法:create database 数据库名 [数据库选项(字符集等)];
2.显示数据库
基本语法 :
显示全部:show databases;
显示部分:show databases like "匹配模式";
匹配模式 :
_: 匹配当前位置的单个字符;
_%: 匹配制定位置的多个字符;
在匹配字符前为匹配以字符结尾的部分
在匹配字符后为匹配以字符开头的部分
3.显示数据库创建语句
show create database 数据库名;
4.选择数据库
use 数据库名;
5.修改数据库
修改库选项: alter database 数据库名 选项[=]值;
6.删除数据库
基本语法:drop 数据库名;
表内容的操作
增删改查
CRUD (create、retrieve、update、delete)
1.创建数据库表
基本语法:create table 表名(字段名 字段类型[字段属性],字段名 字段类型[字段属性],^......) [表选项];
注意: 创建表时,必须在选择数据库的状态下,或者创建时表名为 数据库名.表名
python
create table if not exists `tableName`(
`id` int auto_increment,-- 自增
`title` varchar(100),
primary key (`id`) --主键
);
2.复制已有表结构
基本语法:create table 新表名 like 旧表名;
3.显示数据表
3.1 显示所有表
基本语法:show tables;
3.2 显示部分表
基本语法:show tables like "匹配模式";
3.3 显示表结构
基本语法: - describe 表名; - desc 表名; - show columns from 表名;
3.4 显示表创建语句
基本语法:show create table 表名;
4.设置表属性
表属性即表选项:engine,charset,collate;
基本语法:alter table 表名 表选项 [=] 值;
5.修改表结构
修改表名: rename 旧表名 to 新表名;
修改表属性:alter table 表名 表选项 [=] 新值;
新增字段:alter table 表名 add [column] 新字段名 字段类型 [字段属性] [位置 first/after 字段名];
修改字段名:alter table 表名 change 旧字段名 新字段名 新字段类型 [新字段属性] [新位置];
删除字段:alter talbe 表名 drop 字段名;
6.删除表结构
基础语法:drop talbe 表名[,表名2,......];
不需要表:drop table tableName
;
删除表中全部数据:truncate table tableName
;
删除表中某条数据:delete from tableName
where 1=1;
数据基础操作
1.插入数据
向指定字段插入数据:insert into 表名 [(字段列表)] values (对应字段列表的数据);
python
insert into `tableName`(`id`) values(1),(2);
insert into 表名 values (值,值,值...);
insert into 表名(列名1,列名2...) value(值1,值2...);
insert into 表名 value(),(),();
向所有字段插入数据:insert into 表名 values (对应每一个字段的数据);
2.查询数据
查询全部数据:select * from 表名;
查询指定字段数据:select 字段列表 from 表名;
查询指定字段的特定数据:select 字段列表 from 表名 where 条件(字段名和值比较);
python
select * from `tableName` where 1=1;
select * from 表名;
select 列名1,列名2... from 表名;
select 表达式 as 别名 from 表名; //as 可以省略
select distinct 别名 from 表名;`
select 列名 from 表名 order by 表名;
select 列名 from 表名 order by 表名 desc; //descend
select 列名 from 表名 order by 表1, 表2, ...
select 列名 from 表名 where 条件;
3.删除数据
基本语法:delete from 表名 [where 条件];
python
delete from 表名 where 条件/order by/limit;
delete from tableName where id = 2;
4.更新操作
基本语法:update 表名 set 字段名=新值 [where 条件];
python
update `tableName` set `title` = 'title' where `id` = 1;
updata 表名 set 列名=值, 列名=值...;