其他分享
首页 > 其他分享> > c转发函数调用

c转发函数调用

作者:互联网

是否可以将一个函数的参数列表传输到另一个函数?

例如,在我的functionA中,我想使用varargs列表中的参数调用我的functionB / functionC(取决于执行状态).请注意,我无法更改functionB / functionC声明.

int functionA(int a, ...){
    ...
    va_list listPointer;
    va_start( listPointer, a);
    ...
}

int functionB(long b, long c, long d){
    ...
    ...
}

int functionC(long b, int c, int d){
    ...
    ...
}

对于这个项目,我使用gcc 4.9.1.

到目前为止,我一直在尝试从listPointer传递void *,但没有成功…

从va_list提取变量也将不起作用,因为我像应该从functionA调用的其他80个类似函数一样,意味着我无法提取参数并无法通过提取的值进行调用.

也许有一种方法可以复制functionA参数的内存并使用指向它的指针来调用functionB / functionC?有谁知道这将是可能的吗?

解决方法:

如果您无法更改functionB,则必须从functionA va列表中提取参数:

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

int functionB(long b, long c, long d)
{
    return printf("b: %d, c: %d, d: %d\n", b, c, d);
}

int functionA(int a, ...)
{
    ...
    va_list va;
    va_start(va, a);
    long b = va_arg(va, long);
    long c = va_arg(va, long);
    long d = va_arg(va, long);
    va_end(va);
    return functionB(b, c, d);
}

Maybe there is a way to copy memory of the functionA parameters and call functionB/functionC with a pointer to it? Does anyone have an idea of how it would be possible?

然后,这意味着您将不得不更改您的functionB,functionC等的声明.您也可以更改它们以接受va_list:

int functionA(int a, va_list args);
int functionC(int c, va_list args);

标签:c,variadic-functions
来源: https://codeday.me/bug/20191013/1904498.html