基于布尔模板参数启用方法
我想实现一个基于布尔模板参数的私有函数。 类似的东西:
#include <iostream>
using namespace std;
template <bool is_enabled = true>
class Aggregator {
public:
void fun(int a) {
funInternal(a);
}
private:
void funInternal(int a, typename std::enable_if<is_enabled>::type* = 0) {
std::cout << "Feature is enabled!" << std::endl;
}
void funInternal(int a, typename std::enable_if<!is_enabled>::type* = 0) {
std::cout << "Feature is disabled!" << std::endl;
}
};
int main()
{
Aggregator<true> a1;
Aggregator<false> a2;
a1.fun(5);
a2.fun(5);
return 0;
}
但是上面的程序不能编译:error:在'struct std :: enable_if'中没有类型'type'void funInternal(int a,typename std :: enable_if :: type * = 0)。
是否有可能通过enable_if实现期望的行为?
以下是对@chris在评论中提供的解决方案(http://coliru.stacked-crooked.com/a/480dd15245cdbb6f)的改编,这似乎满足您的需求。
#include <iostream>
template<bool is_enabled = true>
class Aggregator
{
public:
void fun(int a)
{
funInternal(a);
}
private:
template<bool enabled = is_enabled>
void funInternal(typename std::enable_if<enabled, int>::type a)
{
std::cout << "Feature is enabled!" << std::endl;
}
template<bool enabled = is_enabled>
void funInternal(typename std::enable_if<!enabled, int>::type a)
{
std::cout << "Feature is disabled!" << std::endl;
}
};
int main()
{
Aggregator<true> a1;
Aggregator<false> a2;
a1.fun(5);
a2.fun(5);
return 0;
}
链接地址: http://www.djcxy.com/p/15955.html