我正在尝试解决以下问题:我想执行一个if语句,该语句根据模板的参数是否为特定对象来执行某些操作-如果是,则调用该对象的成员函数.假设我想要一个std :: string
片段:
#include <iostream>
#include <string>
template <typename T>
void is_string(const T& arg) {
if (std::is_same<T, const std::string&>::value)
std::cout << arg.length() << std::endl;
else
std::cout << "The argument is not a string" << std::endl;
}
int main() {
is_string(0);
return 0;
}
它无法编译,并出现以下错误:
types.cpp: In instantiation of ‘void is_string(const T&) [with T = int]’:
types.cpp:13:13: required from here
types.cpp:7:13: error: request for member ‘length’ in ‘arg’, which is of non-class type ‘const int’
std::cout << arg.length() << std::endl;
我认为在C 11中可能无法实现我想实现的目标,但是我希望您能提出一些有关如何做到这一点的建议
解决方法:
在常规的if语句中,两个分支都必须是有效的代码.在您的情况下,int.length()毫无意义.
在C 17中,如果满足以下条件,则可以简单地使用constexpr:
if constexpr(std::is_same<T, const std::string&>::value)
std::cout << arg.length() << std::endl;
else
std::cout << "The argument is not a string" << std::endl;
在C 11(或更早版本)中,可以使用重载来实现类似的结果:
void foo(std::string const& str){
std::cout << str.length() << std::endl;
}
template<typename T>
void foo(T const&){
std::cout << "The argument is not a string" << std::endl;
}
template <typename T>
void is_string(const T& arg) {
foo(arg);
}