我一直在寻找答案,但我不确定,变量参数函数是在编译时还是动态创建或解析的?例如,是否可以在运行时获取用户的输入,然后根据输入的输入数量调用该函数?感谢
void func(int num_args, ...)
{
....
}
答案 0 :(得分:2)
函数参数的数量和类型在编译时解析,值在编译时或运行时解析,具体取决于它们的值是否为constexpr
- 是否喜欢。
考虑如何使用在运行时收集的任意数量的变量调用函数。这种结构没有C ++语法。
你应该做的是使用std::vector
之类的东西。一些虚函数的例子:
void func (const std::vector<std::string>& args);
std::string getarg();
bool haveargs();
int main() {
std::vector<std::string> args;
while (haveargs()) {
args.push_back(getarg());
}
func(args);
}
答案 1 :(得分:1)
可以在编译时动态创建或解析变量参数函数吗?
C ++不是JIT编译语言(通常),因此在语言级别无法创建运行时函数。
是否可以在运行时获取用户的输入,然后根据输入的输入数量调用该函数?
当然,但请确保您进行错误检查!
总而言之,我建议不要使用C风格的可变参数函数,而是将它拆分为每个单独参数类型的不同函数。变体函数充满了危险,容易陷入困境。
答案 2 :(得分:0)
它们是在编译时创建的。而不是传递离散参数列表,而是使用va_start
宏来获取包含在返回的va_list
结构中的堆栈地址。 va_start
宏使用传递给函数的最后一个定义的参数,因此通常使用它来提供一种机制来确定参数的实际运行时数以及它们的类型。例如,printf
需要格式字符串,因为其他参数可能是不同的大小,而下面的代码使用简单的计数,因为它只需要整数。
int average(int count, ...)
{
va_list valist;
int total;
int i;
// Initialize valist for number of arguments specified by count.
va_start(valist, count);
// Get the total of the variable arguments in the va_list.
for(total = 0, i = 0; i < num; i++)
{
// Use va_arg to access the next element in the va_list
// by passing the list and the type of the next argument.
total += va_arg(valist, int);
}
// Release the va_list memory.
va_end(valist);
return total/count;
}
// Using the function: pass the number of arguments
// then the arguments themselves.
printf("The average is %d.", average(3, 1, 2, 3));
Output: The average is 2.