我正在寻找模板方面的帮助。我需要在模板中创建对特定类型有不同反应的函数。
看起来像这样:
template <typename T>
class SMTH
{
void add() {...} // this will be used if specific function isn't implemented
void add<int> {...} // and here is specific code for int
};
我还尝试在单个函数中使用typeid
和swich
类型,但对我不起作用。
答案 0 :(得分:7)
您真的不希望在运行时使用typeid
进行此分支。
我们想要这段代码:
int main()
{
SMTH<int>().add();
SMTH<char>().add();
return 0;
}
输出:
int
not int
我有很多方法可以实现这一点(所有这些都在编译时完成,其中一半需要C ++ 11):
Specialize整个班级(如果它只有add
函数):
template <typename T>
struct SMTH
{
void add() { std::cout << "not int" << std::endl; }
};
template <>
struct SMTH<int>
{
void add() { std::cout << "int" << std::endl; };
};
仅专攻add
会员功能(@Angelus推荐):
template <typename T>
struct SMTH
{
void add() { std::cout << "not int" << std::endl; }
};
template <> // must be an explicit (full) specialization though
void SMTH<int>::add() { std::cout << "int" << std::endl; }
请注意,如果您使用cv-qualified SMTH
实例化int
,那么您将获得上述方法的not int
输出。
使用SFINAE成语。它的变体很少(默认模板参数,默认函数参数,函数返回类型),最后一个是那个适合这里:
template <typename T>
struct SMTH
{
template <typename U = T>
typename std::enable_if<!std::is_same<U, int>::value>::type // return type
add() { std::cout << "not int" << std::endl; }
template <typename U = T>
typename std::enable_if<std::is_same<U, int>::value>::type
add() { std::cout << "int" << std::endl; }
};
主要好处是您可以使启用条件复杂化,例如无论cv限定符如何,都使用std::remove_cv
来选择相同的重载。
标记调度 - 根据实例化标记是继承自add_impl
还是A
来选择B
重载,在这种情况下{{1} }或std::false_type
。你仍然使用模板专业化或SFINAE,但这一次是在标签类上完成的:
std::true_type
这当然可以在不定义自定义标记类的情况下完成,template <typename>
struct is_int : std::false_type {};
// template specialization again, you can use SFINAE, too!
template <>
struct is_int<int> : std::true_type {};
template <typename T>
struct SMTH
{
void add() { add_impl(is_int<T>()); }
private:
void add_impl(std::false_type) { std::cout << "not int" << std::endl; }
void add_impl(std::true_type) { std::cout << "int" << std::endl; }
};
中的代码如下所示:
add
我不知道我是否全部提到过,而且我也不知道为什么要尝试。您现在要做的就是选择最适合使用的。
现在,我知道,您还想检查一个函数是否存在。这已经很久了,而existing QA就是这个问题。