使用assert宏
定義
#include <assert.h>
void assert (int expression);
功能
當expression為假時,它向stderr列印一條出錯資訊,然後調用abort來中止程式運行。
注意
assert的缺點是調用頻繁會極大地影響程式執行速度。解決方案,在前面加一個NODEBUG宏,來禁用assert的調用。
#include <stdio.h>
#define NDEBUG
#include <assert.h>
把NDEBUG定義為任何值都沒關係,只要對它定義就能禁用assert的調用。但同時有可能會對assert中的運算式產生影響。所有要使用如下的方法:
p = malloc( sizeof(char)*100);
assert(p);
使用先行編譯
_FUNCTION_
gcc預先定義了該變數為當前函數(控制流程程當前所在的位置)的名字。在偵錯工具時只要插入使用這一變數的printf語句就能縮小出現問題的範圍。
例子:
#include <stdio.h>
void foo (void);
int main(void)
{
printf(“The current function is %s/n”,_FUNCTION_);
foo();
retrun 0;
}
void foo (void)
{
printf(“The current function is %s/n”,_FUNCTION_);
}
該程式的輸出為:
The current function is main
The current functionis foo
_LINE_
C標準定義的宏。可替代行號。
_FILE_
C標準定義的宏。可替代檔案名稱。
例子:
/****** fileopen.h ********/
#ifndef FILEOPEN_H_
#define FILEOPEN_H_
int open_file(FILE **fp,char *fname,char *mode,int line,char *file);
#endif
/*為避免標頭檔在同一項目中多個編譯單元中出現編譯錯誤或警告,用#ifdef語句將open_file函數的聲明包含起來,以確保編譯器只能遇到一次聲明。*/
/******** fileopen.c ********/
#include <stdio.h>
#include “fileopen.h”
int open_file(FILE **fp,char *fname,char *mode,int line,char *file)
{
if((*fp = fopen(fname,mode)) ==NULL)
{
fprintf(stderr,”[%s:%d] open_fiel() failed!/n,file,line);
return 1;
}
return 0;
}
/*line和file分別是_LINE_和_FILE_的預留位置,這兩個宏將由調用函數傳入*/
/******** test.c ********/
#include <stdio.h>
#include <stdlib.h>
#include “fileopen.h”
int main(void)
{
FILE *fp;
if(open_file(&fp,”foo_bar”,”w”,_LINE_,_FILE_))
{
exit(EXIT_FAILURE);
}
}
/*編譯之前,先行編譯器會把_LINE_換成它所在的那一行的行號(調用它的函數裡的行號),把_FILE_ 換成源碼檔案的名字test.c。如果我們在open_file()中調用它們,作用就不大了*/
標準庫函數
errno
聲明
#include <errno.h>
int errno;
使用它時,為了避免出現虛假的出錯情況,最好在調用一個可能設定errno變數的庫函數之前先把errno清零。
abort
聲明
#include stdlib.h
void abort (void);
使程式異常中止,且被中止前不能進行一些常規的清理工作。
exit
聲明
#include <stdlib.h>
void exit (int status);
完成清理工作後中止程式。status是exit飯後給系統的退出值。
atexit
聲明
#include <stdlib.h>
int atexit (void (*function) (void));
登記在程式正常中止時要調用的函數。不是由exit調用就是由main返回來調用。若執行abort,則不會調用它。若function登記成功,則返回0,否則返回1。
perror
聲明
#include <stdio.h>
void perror (const char *s);
perror首先列印字串s,後面是一個冒號和一個空格,然後是對於的errno錯誤資訊。
以下兩行代碼是等價的:
perror (“exp”);
printf(“exp:%s/n”,strerror(errno));
strerror
聲明
#include <string.h>
char *strerror (int errnum);
與error配合使用很不錯,可以得到可讀的提示資訊。
p = strerror (errno);