MySQL 在内部将 bool 转换为 tinyint(1) 吗?\n
是的,MySQL 在内部将 bool 转换为 tinyint(1),原因是 tinyint 是最小的整型数据类型。
您也可以说 bool 是 tinyint(1) 的同义词。我们首先创建一个示例表
mysql> create table boolToTinyIntDemo -> ( -> Id int NOT NULL AUTO_INCREMENT PRIMARY KEY, -> Name varchar(20), -> isAgeGreaterThan18 bool -> ); Query OK, 0 rows affected (1.02 sec)
现在,让我们查看表的描述
mysql> desc boolToTinyIntDemo;
这将产生以下输出
+--------------------+-------------+------+-----+---------+----------------+ | Field | Type | Null | Key | Default | Extra | +--------------------+-------------+------+-----+---------+----------------+ | Id | int(11) | NO | PRI | NULL | auto_increment | | Name | varchar(20) | YES | | NULL | | | isAgeGreaterThan18 | tinyint(1) | YES | | NULL | | +--------------------+-------------+------+-----+---------+----------------+ 3 rows in set (0.00 sec)
查看以上示例输出,可以看到列 isAgeGreaterThan18 的数据类型已在内部从 bool 转换为 tinyint(1)。
以下是使用 insert 命令向表中插入一些记录的查询
mysql> insert into boolToTinyIntDemo(Name,isAgeGreaterThan18) values('Larry',true); Query OK, 1 row affected (0.18 sec) mysql> insert into boolToTinyIntDemo(Name,isAgeGreaterThan18) values('Sam',false); Query OK, 1 row affected (0.14 sec)
以下是使用 select 命令显示表中记录的查询
mysql> select *from boolToTinyIntDemo;
这将产生以下输出
+----+-------+--------------------+ | Id | Name | isAgeGreaterThan18 | +----+-------+--------------------+ | 1 | Larry | 1 | | 2 | Sam | 0 | +----+-------+--------------------+ 2 rows in set (0.00 sec)
广告