如何在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)
-> );
在上表中,我们已将Id声明为不采用NULL值的int类型。如果插入NULL值,则会出现错误。
错误如下
mysql> insert into NotNullAtCreationOfTable values(NULL,'John');ERROR 1048 (23000): Column 'Id' cannot be null
插入非NULL的值。那可以接受
mysql> insert into NotNullAtCreationOfTable values(1,'Carol');
使用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)
-> );
这是使用alter命令在现有表中添加非空列的查询。
将列更改为非空列的查询如下。在这里,我们将添加Age列,该列具有NOT NULL约束。
mysql> alter table AddNotNull add Age int not null;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)
让我们尝试将NULL值插入“年龄”列。如果您尝试将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);
现在,您可以使用select语句显示表中的所有记录。查询如下
mysql> select *from AddNotNull;
以下是输出
+------+------+-----+| Id | Name | Age |
+------+------+-----+
| NULL | NULL | 23 |
+------+------+-----+
1 row in set (0.00 sec)
以上是 如何在MySQL中添加NOT NULL列? 的全部内容, 来源链接: utcz.com/z/334927.html