I'm new to variadic templates and recently came across it. I think I've not fully understood how it works in the background. I tried to write a variadic function min which returns the minimum of the arguments.
Here's the code:
#include <iostream>
template<typename T>
T min(T v) {
std::cout << "Base func: " << __PRETTY_FUNCTION__ << "\n";
return v;
}
template<typename T, typename... Args>
T min(T first, Args... args) {
std::cout << "Variadic func: " << __PRETTY_FUNCTION__ << "\n";
return first < min(args...) ? first : min(args...);
}
int main(){
std::cout << min(3,2,1,0) << std::endl;
return 0;
}
I used __PRETTY_FUNCTION__
to get more details of the instantiation of the functions and here's the output:
Variadic func: T min(T, Args ...) [with T = int; Args = {int, int, int}]
Variadic func: T min(T, Args ...) [with T = int; Args = {int, int}]
Variadic func: T min(T, Args ...) [with T = int; Args = {int}]
Base func: T min(T) [with T = int]
Base func: T min(T) [with T = int]
Variadic func: T min(T, Args ...) [with T = int; Args = {int}]
Base func: T min(T) [with T = int]
Base func: T min(T) [with T = int]
Variadic func: T min(T, Args ...) [with T = int; Args = {int, int}]
Variadic func: T min(T, Args ...) [with T = int; Args = {int}]
Base func: T min(T) [with T = int]
Base func: T min(T) [with T = int]
Variadic func: T min(T, Args ...) [with T = int; Args = {int}]
Base func: T min(T) [with T = int]
Base func: T min(T) [with T = int]
0
The code returns a correct output but I'm still fuzzy how functions are being called. Are all arguments are compared with each other? E.g. 3
will be compared with 2,1,0
, 2
will be compared with 1,0
and 1
will be compared with 0
? It'll be great if someone can give a solid reasoning to what exactly is happening?
Thanks
The call hierarchy is the following. The variadic function calls the "one less" function twice because
first < min(args...) ? first : min(args...);
calls it once to compare it tofirst
(marked with// compare
) and a second time if that comparison isfalse
(marked with// value
).I hope this makes it more readable for you.