N
संकलन-समय स्थिर रहने की जरूरत है, जो एक सामान्य for
लूप के साथ संभव नहीं है।
लेकिन, कई वर्कअराउंड हैं। उदाहरण के लिए, इस एसओ पद से प्रेरित होकर , आप निम्न की तरह कुछ कर सकते हैं।
( एक लाइव डेमो देखें )
template<size_t N>
class A
{
public:
// make the member function public so that you can call with its instance
void someFunctions()
{
std::cout << N << "\n";
};
};
template<int N> struct AGenerator
{
static void generate()
{
AGenerator<N - 1>::generate();
A<N> a;
a.someFunctions();
}
};
template<> struct AGenerator<1>
{
static void generate()
{
A<1> a;
a.someFunctions();
}
};
int main()
{
// call the static member for constructing 100 A objects
AGenerator<100>::generate();
}
प्रिंट 1
करता है100
में c ++ 17 , ऊपर एक भी टेम्पलेट करने के लिए कम किया जा सकता है AGenerator
वर्ग (यानी विशेषज्ञता बचा जा सकता है), का उपयोग करते हुए if constexpr
। ( एक लाइव डेमो देखें )
template<std::size_t N>
struct AGenerator final
{
static constexpr void generate() noexcept
{
if constexpr (N == 1)
{
A<N> a;
a.someFunctions();
// .. do something more with `a`
}
else
{
AGenerator<N - 1>::generate();
A<N> a;
a.someFunctions();
// .. do something more with `a`
}
}
};
आउटपुट :
1
2
3
4
5
6
7
8
9
10
पुनरावृति की श्रेणी प्रदान करने के मामले में, आप निम्नलिखित का उपयोग कर सकते हैं। ( एक लाइव डेमो देखें )
template<std::size_t MAX, std::size_t MIN = 1> // `MIN` is set to 1 by default
struct AGenerator final
{
static constexpr void generate() noexcept
{
if constexpr (MIN == 1)
{
A<MIN> a;
a.someFunctions();
// .. do something more with `a`
AGenerator<MAX, MIN + 1>::generate();
}
else if constexpr (MIN != 1 && MIN <= MAX)
{
A<MIN> a;
a.someFunctions();
// .. do something more with `a`
AGenerator<MAX, MIN + 1>::generate();
}
}
};
int main()
{
// provide the `MAX` count of looping. `MIN` is set to 1 by default
AGenerator<10>::generate();
}
उपरोक्त संस्करण के समान ही आउटपुट।
N
चाहिएconstexpr
जो यदि लूप वैरिएबल है तो ऐसा नहीं है