Passing a variable as a template argument

What is the value of i (that is not a constant) at compile time? There is no way to answer unless executing the loop. But executing is not “compiling”
Since there is no answer, the compiler cannot do that.

Templates are not algorithm to be executed, but macros to be expanded to produce code.
What you can do is rely on specialization to implement iteration by recursion, like here:

#include <iostream>

template<int i>
void modify()
{ std::cout << "modify<"<<i<<">"<< std::endl; }

template<int x, int to>
struct static_for
{
    void operator()() 
    {  modify<x>();  static_for<x+1,to>()(); }
};

template<int to>
struct static_for<to,to>
{
    void operator()() 
    {}
};


int main()
{
    static_for<0,10>()();
}

Note that, by doing this, you are, in fact, instantiating 10 functions named
modify<0>modify<9>, called respectively by static_for<0,10>::operator()static_for<9,10>::operator().

The iteration ends because static_for<10,10> will be instantiated from the specialization that takes two identical values, that does nothing.

Leave a Comment