c++的基本数据类型
基本数据类型的不同
bool类型:
在C++中,bool就是一种真正的基本数据类型,不需要包含stdbool.h头文件了,bool、true、false是C++中的关键字。
可以给bool类型的变量赋值整数,但它会自动转换成0或1。
#include <iostream> using namespace std; int main(int argc,const char* argv[]) { bool flag; cout << sizeof(bool) << " " << sizeof(true) << " " << sizeof(false) << endl; flag = 4; cout << flag << endl; // 输出的1,会把整数自动转换成0|1。 return 0; }
void类型的指针:
在C语言void类型的指针可以与其它类型的指针自动转换(通用指针),而在C++中:
其它类型指针 可以自动转换成 void*,之所以保留是因为C标准库、操作系统、第三方库中有大量的函数的参数使用了void*作为参数,如果该功能不保留,这类函数就无法再正常调用。
void* 不能再自动转换成 其它类型指针,为了安全C++语言对类型检查比C语言要严格很多。
#include <iostream> #include <cstdlib> using namespace std; int main(int argc,const char* argv[]) { int* p = (int*)malloc(40); return 0; }
字符串:
在C语言中使用char类型的数组或char*指针指向的内存来存储字符串,使用string.h中的函数操作字符串,但在C++中使用string类型字符串变量,使用相关的运算符操作字符串。
#include <iostream> using namespace std; int main() { // 定义字符串对象 string str; // 输入字符串,不用关心存储空间是否够用,会自动扩展 cin >> str; // 输出字符串 cout << str << endl; // 给字符串赋值,strcpy str = "hello"; // 追加字符串,strcat str += "world"; // 计算字符串长度,strlen cout << str.size() << endl; // 比较字符串,== != > < >= <= ,strcmp cout << (str == "xixi") << endl; }
注意:string类型的底层,依然是使用char类型的指针、数组实现的,并不是一种全新的类型,而是对char字符串的封装。