explicit
- 在C++中,explicit关键字用来修饰类的构造函数,被修饰的构造函数的类,不能发生相应的隐式类型转换,只能以显示的方式进行类型转换。因为无参构造函数和多参构造函数本身就是显示调用的。再加上
explicit
关键字也没有什么意义。
explicit使用注意事项:
- explicit 关键字只能用于类内部的构造函数声明上
- explicit 关键字作用于单个参数的构造函数。
- 在C++中,explicit关键字用来修饰类的构造函数,被修饰的构造函数的类,不能发生相应的隐式类型转换
- 禁止类对象之间的隐式转换
不使用explicit
#include <cstring>
#include <string>
#include <iostream>
using namespace std;
class Explicit{private:public:Explicit(int size){cout << "The size is " << size << endl;}Explicit(const char* str){string _str = str;cout << "The str is " << _str << endl;}Explicit(const Explicit& ins){cout << "The Explicit is ins " << endl;}Explicit(int a,int b){cout << "The a is " << a << ",the b is "<< b << endl;}
};int main(){Explicit test0(15);Explicit test1 = 15;//隐式调用Explicit(int size)Explicit test2("QWERASDF");Explicit test3 = "QWERASDF";//隐式调用Explicit(const char* str)Explicit test4(1,10);Explicit test5 = test1;
}
- test0和test1是相同类型的,前者是显示调用,后者是隐式调用。
- 同理,test2和test3也是一致的
- test4是调用加法运算,test5调用的函数要是Explicit就返回 The Explicit is ins.
-
上面的程序虽然没有错误,但是对于
Explicit test1 = 10;
和Explicit test2 = "BUGBUGBUG";
这样的句子,把一个int
类型或者const char*
类型的变量赋值给Explicit
类型的变量看起来总归不是很好,并且当程序很大的时候出错之后也不容易排查。所以为了禁止上面那种隐式转换可能带来的风险,一般都把类的单参构造函数声明的显示调用的,就是在构造函数加关键字``explicit`。如下:
#include <cstring>
#include <string>
#include <iostream>
using namespace std;
class Explicit{private:public:explicit Explicit(int size){cout << "The size is " << size << endl;}explicit Explicit(const char* str){string _str = str;cout << "The str is " << _str << endl;}Explicit(const Explicit& ins){cout << "The Explicit is ins " << endl;}Explicit(int a,int b){cout << "The a is " << a << ",the b is "<< b << endl;}
};int main(){Explicit test0(15);//Explicit test1 = 15;//隐式调用Explicit(int size) 无法使用Explicit test2("QWERASDF");//Explicit test3 = "QWERASDF";//隐式调用Explicit(const char* str) 无法使用Explicit test4(1,10);Explicit test5 = test0;
}
- 上面再写
Explicit test1=10; Explicit test3 = "BUGBUGBUG";
这样的句子的时候程序就会报如下错误:
error: conversion from ‘int’ to non-scalar type ‘Explicit’ requested
error: conversion from ‘const char [10]’ to non-scalar type ‘Explicit’ requested
参考链接
- https://www.jianshu.com/p/af8034ec0e7a