bool与boolean
以前对boolean类型定义概念并不清楚,以为boolean和bool类型在某种时候可以自由转换,但是发现并不是这样,他们只是长得像而已,没有明确的关联。
1. bool是c++中的一个关键字,属于c++类型的一种 bool一般在c++中只占用一个字节的长度,其值为true和false,其中true表示”真“,false表示”假“。 需要注意的是,虽然true表示”真“,false表示”假“,但是在进行输出时,会输出为的则为:真输出为1,假输出为0。 那么在对true和1之间相等的问题上,电脑一般是如何判别的呢?
#include <iostream>
#include <typeinfo>
typedef unsigned char boolean;
using namespace std;
int main()
{
bool true1 = true;
bool false1 = false;
bool is_equle1 = true1 == true;
bool is_equle2 = true1 == 1;
bool is_equle3 = false1 == false;
bool is_equle4 = false1 == 0;
cout << is_equle1 << endl;
cout << is_equle2 << endl;
cout << is_equle3 << endl;
cout << is_equle4 << endl;
}
由此可得,1和true,0和false在进行比较时,是相等的。
既然在输出时,真输出为1,假输出为0,那么可否通过强制类型转换,将bool类型转换为string类型,使最终的输出结果为true呢?答案是不行的。
#include <iostream>
#include <typeinfo>
typedef unsigned char boolean;
using namespace std;
int main()
{
bool true1 = true;
string is_equle1 = true1 == true1;
cout << is_equle1 << endl;
}
上面那段函数是我在进行尝试时运行的函数,在编译时会出错,出错如下: 显示无法进行类型转换。
2. boolean是定义来的。 关于boolean的定义如下所示:
typedef unsigned char boolean;
其中函数typedef作用为为已有的类型起一个别名,使用类型的别名等于使用类型本身。这段代码表示boolean即为char类型的别名,通过函数验证:
#include <iostream>
#include <typeinfo>
typedef unsigned char boolean;
using namespace std;
int main()
{
cout << typeid(boolean).name() << endl;
boolean i;
cout << typeid(i).name() << endl;
}
其中typied(对象名).name()函数的作用为:输出该对象的类型。最终得到的结果表示,boolean类型为unsigned char类型,用boolean定义的对象也为unsigned char类型。
bool与BOOL
1. bool是类型
上面已经介绍过了,此处不再赘述。
2. BOOL是int类型,是定义来的
BOOL被定义在头文件windef.h中,定义如下:
typedef int BOOL;
boolean与BOOLEAN
他们都是定义来的。
|