[6.3.2.3-3] An integer constant expression with the value 0, or such an expression cast to type void *, is called a null pointer constant.
這裏告訴咱們:0、0L、'\0'、3 - 三、0 * 17 (它們都是「integer constant expression」)以及 (void*)0 (tyc: 我以爲(void*)0應該算是一個空指針吧,更恰當一點)等都是空指針常量(注意 (char*) 0 不叫空指針常量,只是一個空指針值)。至於系統選取哪一種形式做爲空指針常量使用,則是實現相關的。通常的 C 系統選擇 (void*)0 或者 0 的居多(也有個別的選擇 0L);至於 C++ 系統,因爲存在嚴格的類型轉化的要求,void* 不能象 C 中那樣自由轉換爲其它指針類型,因此一般選 0 做爲空指針常量(tyc: C++標準推薦),而不選擇 (void*)0。
什麼是空指針(null pointer)?
[6.3.2.3-3] If a null pointer constant is converted to a pointer type, the resulting pointer, called a null pointer, is guaranteed to compare unequal to a pointer to any object or function.
所以,若是 p 是一個指針變量,則 p = 0;、p = 0L;、p = '\0';、p = 3 - 3;、p = 0 * 17; 中的任何一種賦值操做以後(對於 C 來講還能夠是 p = (void*)0;), p 都成爲一個空指針,由系統保證空指針不指向任何實際的對象或者函數。反過來講,任何對象或者函數的地址都不多是空指針。(tyc: 好比這裏的(void*)0就是一個空指針。把它理解爲null pointer仍是null pointer constant會有微秒的不一樣,固然也不是緊要了)
什麼是 NULL?
[6.3.2.3-Footnote] The macro NULL is defined in <stddef.h> (and other headers) as a null pointer constant
即 NULL 是一個標準規定的宏定義,用來表示空指針常量。所以,除了上面的各類賦值方式以外,還能夠用 p = NULL; 來使 p 成爲一個空指針。(tyc:不少系統中的實現:#define NULL (void*)0,與這裏的「a null pointer constant」並非徹底一致的)
幸運的是,在實際編程中不須要了解在咱們的系統上空指針究竟是一個 zero null pointer 仍是 nonzero null pointer,咱們只須要了解一個指針是不是空指針就能夠了——編譯器會自動實現其中的轉換,爲咱們屏蔽其中的實現細節。注意:不要把空指針的內部表示等同於整數 0 的對象表示——如上所述,有時它們是不一樣的。
如何判斷一個指針是不是一個空指針?
這能夠經過與空指針常量或者其它的空指針的比較來實現(注意與空指針的內部表示無關)。例如,假設 p 是一個指針變量,q 是一個同類型的空指針,要檢查 p 是不是一個空指針,能夠採用下列任意形式之一——它們在實現的功能上都是等價的,所不一樣的只是風格的差異。
指針變量 p 是空指針的判斷: if ( p == 0 ) if ( p == '\0' ) if ( p == 3 - 3 ) if ( p == NULL ) /* 使用 NULL 必須包含相應的標準庫的頭文件 */ if ( NULL == p ) if ( !p ) if ( p == q ) ...
指針變量 p 不是空指針的判斷: if ( p != 0 ) if ( p != '\0' ) if ( p != 3 - 3 ) if ( p != NULL ) /* 使用 NULL 必須包含相應的標準庫的頭文件 */ if ( NULL != p ) if ( p ) if ( p != q ) ...
[7.1.3-2] If the program declares or defines an identifier in a context in which it is reserved (other than as allowed by 7.1.4), or defines a reserved identifier as a macro name, the behavior is undefined.