一、什么是表
表相当于文件,表中的一条记录就相当于文件的一行内容,不同的是,表中的一条记录有对应的标题,称为表的字段
二、创建表
语法
CREATE TABLE 表名( 字段名1 类型[(宽度)约束条件], 字段名1 类型[(宽度)约束条件], 字段名1 类型[(宽度)约束条件] )ENGINE=innodb DEFAULT CHARSET utf8;
create table student( id int not null auto_increment primary key, name varchar(255) 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 :表示主键(唯一且不为空) engin=innodb:表示指定当前的存储引擎 default charset utf8:设置表的默认编码集
主键,一种特殊的唯一索引,不允许有空值,如果主键使用单个列,则它的值必须唯一,如果是多列,则其组合必须唯一。 create table tb1( nid int not null auto_increment primary key, num int null ) 或 create table tb1( nid int not null, num int not null, primary key(nid,num) )
自增,如果为某列设置自增列,插入数据时无需设置此列,默认将自增(表中只能有一个自增列) 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;
三、查询表数据
1.#查询表数据
语法
select 字段(多个‘,’间隔)from 表名;
例子
select name,sex from student
或者:select * from student
2#.查看表结构
语法
desc 表名
例子
desc student
3.查看创建表信息
语法
show create table 表名;
例子
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 新表名;