MySQL向表中添加列方法实例
作者:okokabcd
要在MySQL的表中添加列,我们可以将ALTER命令与add column命令一起使用,下面这篇文章主要给大家介绍了关于MySQL向表中添加列的相关资料,文中通过实例代码介绍的非常详细,需要的朋友可以参考下
我们使用alter table add column
语句向现有表中添加新列。
简介
alter table table_name add [column] column_name column_definition [first|after existing_column];
说明:
alter table
子句后指定表名;column
关键字是可选的,可以省略它;- 可以通过
first
关键字将新列添加为表的第一列,也可以使用after existing_column
子句在现有列之后添加新列,如果没有明确指定会将其添加为最后一列;
若要向表中添加两个或更多列,使用下面语法:
alter table table_name add [column] column_name column_definition [first|after existing_column], add [column] column_name column_definition [first|after existing_column], ...;
举例
创建一个表
create database test; use test; create table if not exists vendor ( id int auto_increment primary key, name varchar(255) );
添加新列并指定位置
alter table vendor add column phone varchar(15) after name;
添加新列但不指定新列位置
alter table vendor add column vendor_group int not null;
插入记录
insert into vendor(name, phone, vendor_group) values('IBM', '(408)-298-2987', 1); insert into vendor(name, phone, vendor_group) values('Microsoft', '(408)-298-2988', 1);
同时添加两列
alter table vendor add column email varchar(100) not null, add column hourly_rate decimal(10, 2) not null;
注意:email和hourly_rate两列都是not null,但是vendor表已经有数据了,在这种情况下,MySQL将使用这些新列的默认值。
检查vendor表中的数据
select id, name, phone, vendor_group, email, hourly_rate from vendor;
查询结果:
+----+-----------+----------------+--------------+-------+-------------+ | id | name | phone | vendor_group | email | hourly_rate | +----+-----------+----------------+--------------+-------+-------------+ | 1 | IBM | (408)-298-2987 | 1 | | 0.00 | | 2 | Microsoft | (408)-298-2988 | 1 | | 0.00 | +----+-----------+----------------+--------------+-------+-------------+ 2 rows in set (0.00 sec)
email列中填充了空值,而不是NULL值,hourly_rate列填充了0.00
添加表中已存在的列
MySQL将发生错误
alter table vendor add column vendor_group int not null;
操作结果:
ERROR 1060 (42S21): Duplicate column name 'vendor_group'
检查表中是否已存在列
对于几列的表,很容易看到哪些列已经存在,如果有一个饮食数百列的大表,那就比较费劲了
select if(count(*) = 1, 'Exist', 'Not Exist') as result from information_schema.columns where table_schema = 'test' and table_name = 'vendor' and column_name = 'phone';
查询结果:
+--------+ | result | +--------+ | Exist | +--------+ 1 row in set (0.00 sec)
在where子句中,我们传递了三个参数:表模式或数据库,表名和列名。我们使用if函数来返回列是否存在。
在表中已有字段后添加列名
alter table 表名 add column 列名 类型 after 已有列名 comment '注释信息'; alter table students add column class varchar(40) after student_name comment '学生班级';
删除列
alter table 表名 drop column 列名; alter table students drop column grade;
参考
https://www.begtut.com/mysql/mysql-add-column.html
总结
到此这篇关于MySQL向表中添加列的文章就介绍到这了,更多相关MySQL表中添加列内容请搜索脚本之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持脚本之家!