MySQL資料庫中對資料表的操作命令
阿新 • • 發佈:2019-01-03
檢視當前資料庫中所有表
show tables;
查看錶結構
desc 表名;
建立表
auto_increment表示自動增長
CREATE TABLE table_name(
column1 datatype contrai,
column2 datatype,
column3 datatype,
.....
columnN datatype,
PRIMARY KEY(one or more columns)
);
例:建立班級表
create table classes( id int unsigned auto_increment primary key not null, name varchar(10) );
例:建立學生表
create table students(
id int unsigned primary key auto_increment not null,
name varchar(20) default '',
age tinyint unsigned default 0,
height decimal(5,2),
gender enum('男','女','人妖','保密'),
cls_id int unsigned default 0
)
修改表-新增欄位
alter table 表名 add 列名 型別; 例: alter table students add birthday datetime;
修改表-修改欄位:重新命名版
alter table 表名 change 原名 新名 型別及約束;
例:
alter table students change birthday birth datetime not null;
修改表-修改欄位:不重新命名版
alter table 表名 modify 列名 型別及約束;
例:
alter table students modify birth date not null;
修改表-刪除欄位
alter table 表名 drop 列名; 例: alter table students drop birthday;
刪除表
drop table 表名;
例:
drop table students;
查看錶的建立語句
show create table 表名;
例:
show create table classes;
查詢所有列
select * from 表名;
例:
select * from classes;
查詢指定列
可以使用as為列或表指定別名
select 列1,列2,... from 表名;
例:
select id,name from classes;
全列插入:值的順序與表中欄位的順序對應
insert into 表名 values(...)
例:
insert into students values(0,’郭靖‘,1,'蒙古','2016-1-2');
部分列插入:值的順序與給出的列順序對應
insert into 表名(列1,...) values(值1,...)
例:
insert into students(name,hometown,birthday) values('黃蓉','桃花島','2016-3-2');
上面的語句一次可以向表中插入一行資料,還可以一次性插入多行資料,這樣可以減少與資料庫的通訊
全列多行插入:值的順序與給出的列順序對應
insert into 表名 values(...),(...)...;
例:
insert into classes values(0,'python1'),(0,'python2');
insert into 表名(列1,...) values(值1,...),(值1,...)...;
例:
insert into students(name) values('楊康'),('楊過'),('小龍女');
修改
update 表名 set 列1=值1,列2=值2... where 條件
例:
update students set gender=0,hometown='北京' where id=5;
刪除
delete from 表名 where 條件
例:
delete from students where id=5;
邏輯刪除,本質就是修改操作
update students set isdelete=1 where id=1;