在C:传递和打印函数的变量参数

时间:2013-01-18 14:49:31

标签: c

我正在尝试编写一个程序,它使用带有可变数量参数的函数。另一个任务是分别打印每个函数调用的所有参数。代码如下: -

#include<stdio.h>
#include<stdarg.h>
#include<string.h>
int mul(int x,...);
int main()
{
int a=1,b=2,c=3,d=4,x;
printf("The product of %d is :%d\n",a,mul(1,a));
printf("The product of %d, %d is :%d\n",a,b,mul(2,a,b));
printf("The product of %d, %d, %d is :%d\n",a,b,c,mul(3,a,b,c));
printf("The product of %d, %d, %d, %d is :%d\n",a,b,c,d,mul(4,a,b,c,d));
return 0;
}
int mul(int x,...)
{
    int i,prod=1;
    va_list arglist;
    va_start(arglist, x);
    for(i=0;i<x;i++)
    {   
        prod*=va_arg(arglist,int);
    }
    printf("\n");
    for(i=0;i<x;i++)
    {   
        printf("The argument is %d\n",va_arg(arglist,int));
    }
    va_end(arglist);
    return prod;
}

该程序的输出如下: -

Output of the above program

另一段代码是: -

#include<stdio.h>
#include<stdarg.h>
#include<string.h>
int mul(int x,...);
int main()
{
int a=1,b=2,c=3,d=4,x;
printf("The product of %d is :%d\n",a,mul(1,a));
printf("The product of %d, %d is :%d\n",a,b,mul(2,a,b));
printf("The product of %d, %d, %d is :%d\n",a,b,c,mul(3,a,b,c));
printf("The product of %d, %d, %d, %d is :%d\n",a,b,c,d,mul(4,a,b,c,d));
return 0;
}
int mul(int x,...)
{
    int i,prod=1;
    va_list arglist;
    va_start(arglist, x);
    for(i=0;i<x;i++)
    {   
        prod*=va_arg(arglist,int);
    }
    printf("\n");
    va_end(arglist);
    va_start(arglist,x);
    for(i=0;i<x;i++)
    {   
        printf("The argument is %d\n",va_arg(arglist,int));
    }
    va_end(arglist);
    return prod;
}

输出如下: -

second output

为什么会有这种差异?有什么帮助吗?

2 个答案:

答案 0 :(得分:2)

在第一个示例中,您缺少两行:

va_end(arglist);
va_start(arglist,x);

这意味着在进行乘法后,您将读取参数的末尾。显示的值是堆栈中发生的任何值。

答案 1 :(得分:0)

va_arg(va_list ap,type)检索参数列表中的下一个参数。在第一个代码中,您在一个循环后使用参数。您可以使用以下代码打印参数,并在单个循环中保持乘法,而不是第二个代码

int mul(int x,...)

{
    int i,m,prod=1;
    enter code here
    va_list arglist;
    enter code here
    va_start(arglist, x);
    for(i=0;i<x;i++)
    {   
        m=va_arg(arglist,int);
        prod*=m
        printf("The argument is %d\n",m);
    }
    printf("\n");

    return prod;
}