我正在尝试实现一个模板函数,该函数将std::string
作为输入参数,并将执行一些逻辑并返回模板值。我不知道它是否可能,因为在调用此函数时,没有信息邻接模板类型及其显示**没有匹配的成员函数来调用'functionName'。我正在使用以下代码执行此操作并获得相同的代码。有任何建议,有任何方法可以做到这一点。
#include <iostream>
using namespace std;
class Test{
public:
template <class DefaultType>
DefaultType GetDefaultValueType(std::string type);
};
template <class DefaultType>
DefaultType Test::GetDefaultValueType(std::string type)
{
DefaultType temp;
if (type == "Test") {
temp = type;
return temp;
}
else if(10 == atoi(type.c_str()))
{
temp = 1;
return temp;
}
return temp;
}
int main(void){
Test intAccount;
cout << "Current balance: " << intAccount.GetDefaultValueType("Test") << endl; //No matching member function for call to 'GetDefaultValueType'
cout << "Current balance: " << intAccount.GetDefaultValueType("10") << endl; ////No matching member function for call to 'GetDefaultValueType'
return 0;
}
答案 0 :(得分:1)
如果编译器无法推断出您必须提供的模板类型。您可以将该功能称为
intAccount.GetDefaultValueType<type_to_conver_to>("some_value");
答案 1 :(得分:0)
您可以改为返回void并将模板参数作为参考传递:
template <class DefaultType>
void Test::GetDefaultValueType(std::string type, DefaultType& output)
{
if (type == "Test")
{
output = 1;
}
else if (10 == atoi(type.c_str()))
{
output = 0;
}
}
答案 2 :(得分:0)
查看cppreference,“每个模板都由一个或多个模板参数进行参数化”。这些模板参数中的每一个都允许编译器为其在代码的其余部分中找到的每个参数组合创建模板函数的副本。因此编译器不知道什么是
intAccount.GetDefaultValueType("Test")
除非您指定,否则将返回。在您的情况下,您需要以下内容:
intAccount.GetDefaultValueType<int>("Test")