也許很多人都和我一樣,不知道現在的C語言已經有了布爾型:從C99標準開始,型別名字爲「_Bool」。
在此之前的C語言中,使用整型int來表示真假。在輸入時:使用非零值表示真;零值表示假。在輸出時:真的結果是1,假的結果是0;(這裏我所說的「輸入」,意思是:當在一個需要布爾值的地方,也就是其它型別轉化爲布爾型別時,比如 if 條件判斷中的的條件;「輸出」的意思是:程式的邏輯表達式返回的結果,也就是布爾型別轉化爲其他型別時,比如 a==b的返回結果,只有0和1兩種可能)。
所以,現在只要你的編譯器支援C99(我使用的是Dev C++4.9.9.2),你就可以直接使用布爾型了。另外,C99爲了讓C和C++相容,增加了一個頭檔案stdbool.h。裏面定義了bool、true、false,讓我們可以像C++一樣的定義布爾型別。
在C99標準被支援之前,我們常常自己模仿定義布爾型,方式有很多種,常見的有下面 下麪兩種:
/* 第一種方法 */
#define TRUE 1
#define FALSE 0
/* 第二種方法 */
enum bool{false, true};
現在,我們可以簡單的使用 _Bool 來定義布爾型變數。_Bool型別長度爲1,只能取值範圍爲0或1。將任意非零值賦值給_Bool型別,都會先轉換爲1,表示真。將零值賦值給_Bool型別,結果爲0,表示假。 下面 下麪是一個例子程式。
#include <stdio.h>
#include <stdlib.h>
int main(){
_Bool a = 1;
_Bool b = 2; /* 使用非零值,b的值爲1 */
_Bool c = 0;
_Bool d = -1; /* 使用非零值,d的值爲1 */
printf("a==%d, /n", a);
printf("b==%d, /n", b);
printf("c==%d, /n", c);
printf("d==%d, /n", d);
printf("sizeof(_Bool) == %d /n", sizeof(_Bool));
system("pause");
return EXIT_SUCCESS;
}
執行結果如下:(只有0和1兩種取值)
a==1,
b==1,
c==0,
d==1,
sizeof(_Bool) == 1
在C++中,通過bool來定義布爾變數,通過true和false對布爾變數進行賦值。C99爲了讓我們能夠寫出與C++相容的程式碼,新增了一個頭檔案<stdbool.h>。在gcc中,這個標頭檔案的原始碼如下:(注,爲了清楚,不重要的註釋部分已經省略)
/* Copyright (C) 1998, 1999, 2000 Free Software Foundation, Inc.
This file is part of GCC.
*/
#ifndef _STDBOOL_H
#define _STDBOOL_H
#ifndef __cplusplus
#define bool _Bool
#define true 1
#define false 0
#else /* __cplusplus ,應用於C++裡,這裏不用處理它*/
/* Supporting <stdbool.h> in C++ is a GCC extension. */
#define _Bool bool
#define bool bool
#define false false
#define true true
#endif /* __cplusplus */
/* Signal that all the definitions are present. */
#define __bool_true_false_are_defined 1
#endif /* stdbool.h */
可見,stdbool.h中定義了4個宏,bool、true、false、__bool_true_false_are_defined。 其中bool就是 _Bool型別,true和false的值爲1和0,__bool_true_false_are_defined的值爲1。
下面 下麪是一個例子程式:
#include <stdio.h>
#include <stdlib.h>
#include <stdbool.h>
/* 測試C99新新增的標頭檔案 stdbool.h */
int main(){
bool m = true;
bool n = false;
printf("m==%d, n==%d /n", m, n);
printf("sizeof(_Bool) == %d /n", sizeof(_Bool));
system("pause");
return EXIT_SUCCESS;
}
執行結果爲:
m==1, n==0
sizeof(_Bool) == 1
本文鏈接:http://blog.csdn.net/daheiantian/archive/2011/02/05/6241893.aspx