共计 656 个字符,预计需要花费 2 分钟才能阅读完成。
隐式类型转换 (构造函数的隐式调用)
举例:
#include <iostream>
using namespace std;
class Point {
public:
int x, y;
Point(int x)
: x(x) {}};
void displayPoint(const Point& p)
{cout << "(" << p.x << ")" << endl;
}
int main()
{displayPoint(1);
Point p = 1;
}
explicit 关键字
指定构造函数或转换函数 (C++11 起) 为显式, 即它不能用于隐式转换和复制初始化.
构造函数被 explicit 润饰后, 就不能再被隐式调用了. 也就是说, 之前的代码, 在 Point(int x) 前加了 explicit 润饰, 就无奈通过编译了.
// 退出 explicit 关键字后
#include <iostream>
using namespace std;
class Point {
public:
int x, y;
explicit Point(int x)
: x(x) {}};
void displayPoint(const Point& p)
{cout << "(" << p.x << ")" << endl;
}
int main()
{displayPoint(1);
Point p = 1;
}
Effective C++:
被申明为 explicit 的构造函数通常比其 non-explicit 兄弟更受欢迎, 因为它们禁止编译器执行非预期 (往往也不被冀望) 的类型转换. 除非我有一个好理由容许构造函数被用于隐式类型转换, 否则我会把它申明为 explicit. 我激励你遵循雷同的政策.
正文完