errno、perror()和sterror()

C 语言提供了 perror() 和 strerror() 函数来显示与 errno 相关的文本消息。

  • perror() 函数显示您传给它的字符串,后跟一个冒号、一个空格和当前 errno 值的文本表示形式。

  • strerror() 函数,返回一个指针,指针指向当前 errno 值的文本表示形式。

被零除的错误

  1. 在进行除法运算时,如果不检查除数是否为零,则会导致一个运行时错误。<br /> 为了避免这种情况发生,下面的代码在进行除法运算前会先检查除数是否为零:
  1. #include <stdio.h>
  2. #include <stdlib.h>
  3. main()
  4. {
  5. int dividend = 20;
  6. int divisor = 0;
  7. int quotient;
  8. if( divisor == 0){
  9. fprintf(stderr, "除数为 0 退出运行...\n");
  10. exit(-1);
  11. }
  12. quotient = dividend / divisor;
  13. fprintf(stderr, "quotient 变量的值为 : %d\n", quotient );
  14. exit(0);
  15. }

程序退出状态

通常情况下,程序成功执行完一个操作正常退出的时候会带有值 EXIT_SUCCESS。在这里,EXIT_SUCCESS 是宏,它被定义为 0。
如果程序中存在一种错误情况,当您退出程序时,会带有状态值 EXIT_FAILURE,被定义为 -1。所以,上面的程序可以写成:

  1. #include <stdio.h>
  2. #include <stdlib.h>
  3. main()
  4. {
  5. int dividend = 20;
  6. int divisor = 5;
  7. int quotient;
  8. if( divisor == 0){
  9. fprintf(stderr, "除数为 0 退出运行...\n");
  10. exit(EXIT_FAILURE);
  11. }
  12. quotient = dividend / divisor;
  13. fprintf(stderr, "quotient 变量的值为: %d\n", quotient );
  14. exit(EXIT_SUCCESS);
  15. }