1. 为什么会有nullptr的出现
目的:nullptr的出现主要是为了替代NULL。
那么,为什么要替代NULL呢?
在NULL的定义中存在会有2种方式,有的编译器会将NULL定义成0,有的编译器会将NULL定义成((void*)0)。
那么,这两种定义方式会对c++有什么区别呢?
在c++中不允许( void* )隐式的转成其他类型,在某些编译器把NULL定义成((void*)0)的情况下,当你定义变量去赋值NULL时候,NULL就会变定义为0。
另外,这种问题也会对c++的重载特性造成混乱。
接下来,进行代码演示
2. 代码演示
这里编写了MyClass类,里面有两个重载函数printf
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
|
#include <iostream> using namespace std; class MyClass { public : MyClass() {} ~MyClass() {} public : void printf ( char *) /*重载函数*/ { cout << "This is char*" << endl; } void printf ( int ) /*重载函数*/ { cout << "This is int" << endl; } }; int main( int argc, char **argv) { return 0; } |
接下来,我们new一个MyClass对象 a并调用成员函数printf,传入NULL
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
|
#include <iostream> using namespace std; class MyClass { public : MyClass() {} ~MyClass() {} public : void printf ( char *) /*重载函数*/ { cout << "This is char*" << endl; } void printf ( int ) /*重载函数*/ { cout << "This is int" << endl; } }; int main( int argc, char **argv) { MyClass a; a. printf (NULL); return 0; } |
调试结果
以上可以看到,传入NULL时,调用printf(int), 与我们的本意调用printf(char*)相违背。
我们看看编译现在把NULL定义为哪种方式,我使用的是vs2017
可以看到将NULL定义0
接下来,我们的主角nullptr就出场了,将主函数里面的调用方式修改一下
1
2
3
4
5
6
7
8
|
int main( int argc, char **argv) { MyClass a; a. printf (nullptr); return 0; } |
调试结果
可以看到调用的printf(char*),这样nullptr和NULL的区别就出来了。
另外,nullptr能隐式转换成各类型指针,可以看看以下代码
3. 总结
在现代c++编程中,如遇到要使用NULL的地方,就尽量使用nullptr去替代NULL吧。
到此这篇关于C++ nullptr 和 NULL 的使用区别的文章就介绍到这了,更多相关C++ nullptr 和 NULL区别内容请搜索服务器之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持服务器之家!
原文链接:https://www.cnblogs.com/lvvou/p/14980492.html