问题:
你有两个函数,例如( ) 和 exampleB(),具有类似的变量参数列表:
void example(int a, int b, ...); void exampleB(int b, ...);
您需要从 exampleB() 中调用 example(),而不修改后者的变量参数列表,因为它在其他地方使用。
解决方案:
不幸的是,C 中没有直接的方法来传递变量参数。要实现这一点,您必须定义一个辅助函数它采用 va_list 参数。这是一个示例:
#include <stdarg.h> static void exampleV(int b, va_list args); void exampleA(int a, int b, ...) // Renamed for consistency { va_list args; do_something(a); // Use argument a somehow va_start(args, b); exampleV(b, args); va_end(args); } void exampleB(int b, ...) { va_list args; va_start(args, b); exampleV(b, args); va_end(args); } static void exampleV(int b, va_list args) { ...whatever you planned to have exampleB do... ...except it calls neither va_start nor va_end... }
在此设置中:
通过添加 exampleV() 作为中介,您可以将变量参数传递给 exampleB(),而无需修改其原始实现。
以上是如何使用变量参数列表在 C 函数之间传递变量参数?的详细内容。更多信息请关注PHP中文网其他相关文章!