C语言可变长参数函数与默认参数提升(2)

4、默认参数提升在可变参数函数的陷阱

如果明白了C语言的可变参数函数,让我们实现一个简易的my_printf
1. 它只返回void, 不记录输出的字符数目
2. 它只接受"%d"按整数输出、"%c"按字符输出、"%%"输出'%'本身
很多人的答案如下:

#include <stdio.h>
#include <stdlib.h>
#include <stdarg.h>

void my_printf(const char* fmt, ... )
{
 va_list ap;
 va_start(ap,fmt); /* 用最后一个具有参数的类型的参数去初始化ap */
 for (;*fmt;++fmt)
 {
  /* 如果不是控制字符 */
  if (*fmt!='%')
  {
   putchar(*fmt); /* 直接输出 */
   continue;
  }

/* 如果是控制字符,查看下一字符 */
  ++fmt;
  if ('\0'==*fmt) /* 如果是结束符 */
  {
   assert(0);  /* 这是一个错误 */
   break;
  }

switch (*fmt)
  {
   case '%': /* 连续2个'%'输出1个'%' */
    putchar('%');
    break;
   case 'd': /* 按照int输出 */
   {
    /* 下一个参数是int,取出 */
    int i = va_arg(ap,int);
    printf("%d",i);
   }
   break;
   case 'c': /* 按照字符输出 */
   {
    /** 但是,下一个参数是char吗*/
    /*  可以这样取出吗? */
    char c = va_arg(ap,char);
    printf("%c",c);
   }
   break;
  }
 }
 va_end(ap);  /* 释放ap—— 必须! 见下文分析*/
}

很可惜,这样的代码是错误的!

简单的说,我们用va_arg(ap,type)取出一个参数的时候,
type绝对不能为以下类型:
——charsigned char、unsigned char
——short、unsigned short
——signed shortshort int、signed short int、unsigned short int
——float


一个简单的理由是:
——调用者绝对不会向my_printf传递以上类型的实际参数。

为什么呢?-- 这里就牵扯到默认参数提升问题。

看标准:

If the expression that denotes the called function has a type that does include a prototype, the arguments are implicitly converted, as if by assignment, to the types of the corresponding parameters, taking the type of each parameter to be the unqualied versionof its declared type. The ellipsis notation in a function prototype declarator causes argument type conversion to stop after the last declared parameter. The default argument promotions are performed on trailing arguments. -- C11 6.5.2.2 Function calls (7)

C语言中什么时候会牵扯到默认参数提升呢?

在C语言中,调用一个不带原型声明的函数时:调用者会对每个参数执行“默认实际参数提升(default argument promotions)。

同时,对可变长参数列表超出最后一个有类型声明的形式参数之后的每一个实际参数,也将执行上述提升工作。

提升工作如下:
——float类型的实际参数将提升到double
——charshort和相应的signedunsigned类型的实际参数提升到int
——如果int不能存储原值,则提升到unsigned int

内容版权声明:除非注明,否则皆为本站原创文章。

转载注明出处:http://www.heiqu.com/b60962e878050aa4d5178d1f8d78b66c.html