如何在 MySQL 中添加 NOT NULL 列?
您可以在创建表时添加非空列,也可以将其用于现有表。
案例 1 - 在创建表时添加非空列。语法如下所示
CREATE TABLE yourTableName ( yourColumnName1 dataType NOT NULL, yourColumnName2 dataType . . . N );
创建表的查询如下所示
mysql> create table NotNullAtCreationOfTable -> ( -> Id int not null, -> Name varchar(100) -> ); Query OK, 0 rows affected (0.60 sec)
在上表中,我们已将 Id 声明为 int 类型,该类型不接受 NULL 值。如果您插入 NULL 值,则会收到错误。
错误如下所示
mysql> insert into NotNullAtCreationOfTable values(NULL,'John'); ERROR 1048 (23000): Column 'Id' cannot be null
插入非 NULL 值。这将被接受
mysql> insert into NotNullAtCreationOfTable values(1,'Carol'); Query OK, 1 row affected (0.13 sec)
使用 select 语句显示表中的记录。查询如下所示
mysql> select *from NotNullAtCreationOfTable;
以下是输出
+----+-------+ | Id | Name | +----+-------+ | 1 | Carol | +----+-------+ 1 row in set (0.00 sec)
案例 2 - 在现有表中添加非空列。语法如下所示
ALTER TABLE yourTableName ADD yourColumnName NOT NULL
创建表的查询如下所示
mysql> create table AddNotNull -> ( -> Id int, -> Name varchar(100) -> ); Query OK, 0 rows affected (1.43 sec)
以下是如何使用 alter 命令在现有表中添加非空列的查询。
将列更改为非空列的查询如下所示。这里我们将添加 Age 列,该列具有约束 NOT NULL。
mysql> alter table AddNotNull add Age int not null; Query OK, 0 rows affected (0.44 sec) Records: 0 Duplicates: 0 Warnings: 0
现在您可以使用 desc 命令检查表的描述。查询如下所示
mysql> desc AddNotNull;
以下是输出
+-------+--------------+------+-----+---------+-------+ | Field | Type | Null | Key | Default | Extra | +-------+--------------+------+-----+---------+-------+ | Id | int(11) | YES | | NULL | | | Name | varchar(100) | YES | | NULL | | | Age | int(11) | NO | | NULL | | +-------+--------------+------+-----+---------+-------+ 3 rows in set (0.08 sec)
让我们尝试向 Age 列插入 NULL 值。如果您尝试向 Age 列插入 NULL 值,则会收到错误。
插入记录的查询如下所示
mysql> insert into AddNotNull values(1,'John',NULL); ERROR 1048 (23000): Column 'Age' cannot be null
现在插入其他记录。这不会产生错误
mysql> insert into AddNotNull values(NULL,NULL,23); Query OK, 1 row affected (0.22 sec)
现在您可以使用 select 语句显示表中的所有记录。查询如下所示
mysql> select *from AddNotNull;
以下是输出
+------+------+-----+ | Id | Name | Age | +------+------+-----+ | NULL | NULL | 23 | +------+------+-----+ 1 row in set (0.00 sec)
广告