📜  了解C++中的nullptr

📅  最后修改于: 2021-05-25 19:06:25             🧑  作者: Mango

考虑下面的C++程序,它显示NULL问题(需要nullptr)

// C++ program to demonstrate problem with NULL
#include 
using namespace std;
  
// function with integer argument
int fun(int N)   { cout << "fun(int)"; }
  
// Overloaded function with char pointer argument
int fun(char* s)  { cout << "fun(char *)"; }
  
int main() 
{
    // Ideally, it should have called fun(char *),
    // but it causes compiler error.
    fun(NULL);  
}

输出:

16:13: error: call of overloaded 'fun(NULL)' is ambiguous
     fun(NULL);

上面的程序有什么问题?
NULL通常定义为(void *)0,并且允许将NULL转换为整数类型。因此,函数调用fun(NULL)变得模棱两可。

// This program compiles (may produce warning)
#include
int main() 
{
   int x = NULL;
}

nullptr如何解决该问题?
在上面的程序中,如果将NULL替换为nullptr,则输出为“ fun(char *)”。

nullptr是可在所有期望NULL的地方使用的关键字。像NULL一样,nullptr是隐式可转换的,并且可以与任何指针类型进行比较。与NULL不同,它不是隐式可转换的,也不可以与整数类型比较

// This program does NOT compile
#include
int main() 
{
   int x = nullptr;
}

输出:

Compiler Error

附带说明, nullptr可转换为bool。

// This program compiles
#include
using namespace std;
  
int main() 
{
   int *ptr = nullptr;
  
   // Below line compiles
   if (ptr) { cout << "true"; }    
   else { cout << "false"; }    
}

输出:

false

当我们比较两个简单的指针时,有一些未指定的事情,但是将两个类型为nullptr_t的值之间的比较指定为:通过<=和> =的比较返回true,通过<和>的比较返回false,然后将任何指针类型与nullptr进行比较==和!=如果分别为null或非null,则分别返回true或false。

// C++ program to show comparisons with nullptr
#include 
using namespace std;
  
// Driver program to test behavior of nullptr
int main()
{
    // creating two variables of nullptr_t type 
    // i.e., with value equal to nullptr
    nullptr_t np1, np2;
  
    // <= and >= comparison always return true
    if (np1 >= np2)
        cout << "can compare" << endl;
    else
        cout << "can not compare" << endl;
  
    // Initialize a pointer with value equal to np1
    char *x = np1;  // same as x = nullptr (or x = NULL
                    // will also work) 
    if (x == nullptr)
        cout << "x is null" << endl;
    else
        cout << "x is not null" << endl;
  
    return 0;
}

输出 :

can compare
x is null
要从最佳影片策划和实践问题去学习,检查了C++基础课程为基础,以先进的C++和C++ STL课程基础加上STL。要完成从学习语言到DS Algo等的更多准备工作,请参阅“完整面试准备课程”