表,在数据库中的一种存储方式
表(TABLE) 是一种结构化的文件,可用来存储某种特定类型的数据。表中的一条记录有对应的标题,标题 称之为 表的字段。
表的创建:
create table student( id int not null auto_increment primary key, name varchar(250) not null, age int not null, sex enum(‘男‘,‘女‘) not null default ‘男‘, salary double(10,2) not null )engine=innodb default charset=utf8;
ps: not null :表示此列不能为空 auto_increment :表示自增长,默认每次增长+1 注意:自增长只能添加在主键或者唯一索引字段上 primary key :表示主键(唯一且不为空) engine =innodb :表示指定当前表的存储引擎 default charset utf8 :设置表的默认编码集
这种有分块的被称为表,添加进里面的对象则是数据
主键,一种特殊的唯一索引,不允许有空值,如果主键使用单个列,则它的值必须唯一,如果是多列,则其组合必须唯一。
create table student( nid int not null auto_increment primary key, num int null ) 或 create table student( nid int not null, num int not null, primary key(nid,num) )
例如,当我将age设置成主键时,就代表我这个表中的所有对象的age必须是不相同的,所以主键通常设置成每个人唯一的,比如id
当将两个属性连起来设置成主键时,则这两个属性的组合必须是唯一的。
自增,如果为某列设置自增列,插入数据时无需设置此列,默认将自增(表中只能有一个自增列) create table tb1( nid int not null auto_increment primary key, num int null ) 或 create table tb1( nid int not null auto_increment, num int null, index(nid) ) 注意:1、对于自增列,必须是索引(含主键)。 2、对于自增可以设置步长和起始值 show session variables like ‘auto_inc%‘; set session auto_increment_increment=2; set session auto_increment_offset=10; show global variables like ‘auto_inc%‘; set global auto_increment_increment=2; set global auto_increment_offset=10;
意思是设置了自增列之后对象的该属性可以不写,会自己增长。但是不会变通,比如我设置id为自增,那么第一位就是1,第二位就是2以此类推,但是当我添加
到3的时候,继续添加id应该是4,这时候我将id为2的删除,然后再新建对象,那么他的对象id依旧是4
#查询表数据 select 字段(多个以","间隔) from 表名; 例: select name,sex from student; 或者: select * from student; #查看表结构 desc 表名; 例: desc student; #查看创建表信息 show create table student;
假设我表中有两个对象
代码如下
use s9; SELECT name,sex from student; select * FROM student; desc student; show create TABLE student;
修改表结构
#添加表字段 alter table 表名 add 字段名 类型 约束; 例如: alter table student add age int not null default 0 after name; ps: after name 表示在name字段后添加字段 age. #修改表字段 方式一: alter table student modify 字段 varchar(100) null; 方式二: alter table student change 旧字段 新字段 int not null default 0; ps:二者区别: change 可以改变字段名字和属性 modify只能改变字段的属性 #删除表字段 : alter table student drop 字段名; #更新表名称: rename table 旧表名 to 新表名;
主键操作
#添加主键 : alter table student add primary key(字段,"多个","间隔"); #移除主键 : alter table student drop primary key; ps:如果主键为自增长,以上方式则不被允许执行,请先去掉主键自增长属性,然后再移除主键 alter table student modify id int not null,drop primary key
外键操作
#添加外键: alter table 从表 add CONSTRAINT fk_test foreign key 从表(字段) REFERENCES 主表(字段); #移除外键: alter table 表 drop foreign key 外键名称; ps:如果外键设置后想修改,那么只能是先删除,再添加
默认值操作
#修改默认值 : alter table 表 alter 字段 set default 100; #删除默认值 : alter table 表 alter 字段 drop default;
删除表
#删除表 drop table 表名; #清空表 truncate table 表名;
删除是直接将表删除
清空指将表中的对象删除
复制表
#只复制表结构和表中数据 CREATE TABLE tb2 SELECT * FROM tb1; ps:主键自增/索引/触发器/外键 不会 被复制 #只复制表结构 create table tb2 like tb1; ps: 数据/触发器/外键 不会被复制
#查询表数据
select
字段(多个以
","
间隔)
from
表名;
例:
select
name
,sex
from
student;
或者:
select
*
from
student;
#查看表结构
desc
表名;
例:
desc
student;
#查看创建表信息
show
create
table
student;