数据库常用命令

系统数据库:数据库服务器自带四个 information_schema
mysql
performance_schema
sys

创建数据库:create database 数据库名称;

删除数据库:drop database 数据库名称;

查看数据库:show databases;

使用(进入)数据库:use 数据库名称;

查看数据库中有多少表:show tables;

注意:先使用数据库再去看 有多少表

DDL(数据定义语言)

创建数据库:create database 数据库名称 character set utf8;

还可以:create database 数据库名称 charset=utf8;

使用切换数据库:use 数据库名称

制定表结构:create table 表名(
id bigint,
name varchar(2),
email varchar(2),
age bigint
);
注意最后一行不加逗号

添加一列:alter table 表名 add 列名 数据类型

查看表的字段信息:desc 表明

修改表的字段类型:alter table 表名 modify 字段名 bigint;

删除一列:alter table 表名 drop 列名;

修改表名字:rename table 原表名 to 新表名

查看表的创建细节:show create table 表名;

修改表的字符集gbk:alter table 表名 character set gbk;

修改表的列名字:alter table 表名 change 原列名 新列名 数据类型;

删除表:drop table 表名;

DML(数据操作语言)

插入数据:insert into 表名 (列名1,列名2,列名3) values (列值1,列值2,列值3);
注意 列名与列值的类型,个数,顺序要一对应
值不要超出列定义的长度
插入的日期和字符一样,都使用引号括起来

SQL(更新数据)
学生分数全部改为90:update 表名 set 列名1=列值;
把名字为zs的学生分数改为:update 表名 set 列名=60 where name = “zs”

把姓名为lisi的年龄改为20和分数改为70:update 表名 set 年龄=20,分数=70 where name=“lisi”;

把wangwu的年龄的基础上加一:update 表名 set 年龄=年龄+1 where name=“wangwu”

修改数据库密码:mysqladmin -u root -p password 211010

删除操作:delete from 表名 where name=“lisi”

删除所有数据:truncate table 表名;

指定查询:select 列名1,列名2 from 表名;

查询性别为男,并且年龄为20的学生记录:select * from 表名 where 列名=“男” and 年龄=20;

查询学号为1001或者名为zs的:select * from 表名 where 学号=1001 or name=“zs”

查询学号为 1001 1002 1003:select * from 表名 where 学号=1001 or 学号=1002 or 学号=1003;或者:select * from 表名 where 学号 in (1001,1002,1003);

查询年龄为null的:select * from 表名 where 年龄 is null;

查询年龄在18-20之间的学生:select * from 表名 where 年龄>=18 and 年龄<=20; 或者:select * from 表名 where 年龄 between 18 and 20;

查询性别非男的学生:select * from 表名 where 性别 !=“男”

查询姓名不为null的学生:select * form 表名 where 名字 is not null;

你可能感兴趣的:(数据库常用命令)