是否可以将 <stdarg.h>'s ... 放入 C 的宏中?
Is it possible to put <stdarg.h>'s ... in a macro in C?
我正在尝试创建一个带有两个参数的函数,但它被一个宏重新映射以调用一个不同的隐藏函数,该函数需要比传入的数据更多的数据。我将传递给隐藏函数的数据是 __LINE__
和 __FILE__
之类的东西以及来自 main 函数的数据。
问题在于可见函数需要能够传入任意数量的参数。下面的代码是问题的简化示例。
#include <stdio.h>
#include <stdarg.h>
///////////////////////////////////////////////////////////
// This is what I would like to be able to do
#define average(count, ...) _average(__LINE__, count, ...)
///////////////////////////////////////////////////////////
// The average function
double _average(int _line, int count, ...) {
// Just a use for the extra variable
printf("Calculating the average of some numbers\n");
printf("on line %i\n", _line);
// The data contained within the "..."
va_list args;
va_start(args, count);
// Sum up all the data
double sum = 0;
for (int i = 0; i < count; i++) {
sum += va_arg(args, int);
}
// Return the average
return sum / count;
}
int main() {
printf("Hello, World!\n");
// Currently, this is what I have to do as the method I would prefer doesn't work...
printf("Average: %f\n", _average(__LINE__, 3, 5, 10, 15));
// Is there a way to use the above macro like the following?
// printf("Average 2: %f\n", average(3, 2, 4, 6));
return 0;
}
如果有帮助,此代码的输出如下:
Hello, World!
Calculating the average of some numbers
on line 160
Average: 10.000000
要定义可变参数宏,请在参数列表中指定 ...
并用 __VA_ARGS__
:
引用它们
#define average(count, ...) _average(__LINE__, count, __VA_ARGS__)
我正在尝试创建一个带有两个参数的函数,但它被一个宏重新映射以调用一个不同的隐藏函数,该函数需要比传入的数据更多的数据。我将传递给隐藏函数的数据是 __LINE__
和 __FILE__
之类的东西以及来自 main 函数的数据。
问题在于可见函数需要能够传入任意数量的参数。下面的代码是问题的简化示例。
#include <stdio.h>
#include <stdarg.h>
///////////////////////////////////////////////////////////
// This is what I would like to be able to do
#define average(count, ...) _average(__LINE__, count, ...)
///////////////////////////////////////////////////////////
// The average function
double _average(int _line, int count, ...) {
// Just a use for the extra variable
printf("Calculating the average of some numbers\n");
printf("on line %i\n", _line);
// The data contained within the "..."
va_list args;
va_start(args, count);
// Sum up all the data
double sum = 0;
for (int i = 0; i < count; i++) {
sum += va_arg(args, int);
}
// Return the average
return sum / count;
}
int main() {
printf("Hello, World!\n");
// Currently, this is what I have to do as the method I would prefer doesn't work...
printf("Average: %f\n", _average(__LINE__, 3, 5, 10, 15));
// Is there a way to use the above macro like the following?
// printf("Average 2: %f\n", average(3, 2, 4, 6));
return 0;
}
如果有帮助,此代码的输出如下:
Hello, World!
Calculating the average of some numbers
on line 160
Average: 10.000000
要定义可变参数宏,请在参数列表中指定 ...
并用 __VA_ARGS__
:
#define average(count, ...) _average(__LINE__, count, __VA_ARGS__)