基本数据类型的转换(不是重点)
int i = 42;
double d = i; // int 自动转换为 double
类类型转换:
如果一个类定义了接受单一参数的构造函数(且该构造函数未被声明为 explicit),那么该构造函数可以被用来进行隐式转换,可以理解为int被隐式转换成了一个类对象:
#include <iostream>using namespace std;class A
{
public:int a;A(int a) : a(a){cout << "构造函数" << endl;}A(const A &){cout << "拷贝构造" << endl;}
};int main()
{//编译器会寻找只接受一个参数且为int类型的构造函数//找到后编译器会将100传入构造函数,并创建类对象a,完成隐式类型转换A a = 100;return 0;
}
如何禁用类类型转换:
使用explicit关键字 放在 可能被编译器匹配的函数前:
#include <iostream>using namespace std;class A
{
public:int a;explicit A(int a) : a(a){cout << "构造函数" << endl;}A(const A &){cout << "拷贝构造" << endl;}
};int main()
{// A a = 100; 不可以A b(100);return 0;
}