在Qt中,我们经常都看到这样的函数声明:
public:
explicit MyAction(QObject *parent = nullptr);
有这个explicit 关键字,那么它的作用是什么呢?
关键字 explicit 可以禁止“单参数构造函数”被用于自动类型转换,声明为explicit的构造函数不能在隐式转换中使用, C++中, 一个参数的构造函数(或者除了第一个参数外其余参数都有默认值的多参构造函数), 承担了两个角色。一是个构造器,二是个默认且隐含的类型转换操作符。通过代码感受一下:
#include <iostream>
using namespace std;
class Test
{
public:
Test(int a)
{
m_data = a;
}
void show()
{
cout << "m_data = " << m_data << endl;
}
private:
int m_data;
};
class Test2
{
public:
explicit Test2(int a)
{
m_data2 = a;
}
void show2()
{
cout << "m_data2 = " << m_data2 << endl;
}
private:
int m_data2;
};
int main(void)
{
Test t = 2; // 将一个常量赋给了一个对象
t.show();
//Test2 t3 =5; //error:需要显示的使用构造函数
Test2 t2 =Test2(5);
t2.show2();
return 0;
}
输出结果是:
m_data = 2
m_data2 = 5