I was reading about variadic templates and I came across this example. The book mentions that to end the recursion process, the function print()
is used. I really can't understand its use. Why does the author use this empty print()
function?
void print () // can't get why this function is used
{
}
template <typename T, typename... Types>
void print (const T& firstArg, const Types&... args)
{
std::cout << firstArg << std::endl; // print first argument
print(args...); // call print() for remaining arguments
}
A variadic expression can capture 0 arguments or more.
Take for example the call
print(1)
. ThenT
capturesint
andTypes = {}
- it captures no arguments. Thus the callprint(args...);
expands toprint();
, which is why you need a base case.You don't need the recursion at all. I always use the following
debuglog
function in my code (modified for your needs):Because this variadic function takes at least one argument, you are free to use
print(void)
for whatever you like now.