我读了一个包含行的文本文件,每行包含由空格或逗号等分隔符分隔的数据,我有一个将字符串拆分为数组的函数但是我想让它成为一个模板来获取不同的类型,如浮点数或整数旁边我创建了两个函数,一个用于拆分为字符串,另一个用于浮动
template<class T>
void split(const std::string &s, char delim, std::vector<T>& result) {
std::stringstream ss(s);
std::string item;
while (std::getline(ss, item, delim)) {
T f = static_cast<T>(item.c_str());
result.push_back(f);
}
}
void fSplit(const std::string &s, char delim, std::vector<GLfloat>& result) {
std::stringstream ss(s);
std::string item;
while (std::getline(ss, item, delim)) {
GLfloat f = atof(item.c_str());
result.push_back(f);
}
}
模板函数可以正常使用字符串,在另一个函数中我使用atof(item.c_str())
从字符串中获取浮点值,当我使用带浮点数的模板函数时,我得到invalid cast from type 'const char*' to type 'float'
那么如何在模板函数中进行转换呢?
答案 0 :(得分:2)
你做不到:
T f = static_cast<T>(item.c_str());
在您的情况下,您可以声明一个模板,例如from_string<T>
,并将该行替换为:
T f = from_string<T>(item);
您可以使用以下内容实现它:
// Header
template<typename T>
T from_string(const std::string &str);
// Implementations
template<>
int from_string(const std::string &str)
{
return std::stoi(str);
}
template<>
double from_string(const std::string &str)
{
return std::stod(str);
}
// Add implementations for all the types that you want to support...
答案 1 :(得分:0)
您可以使用strtof函数(http://en.cppreference.com/w/cpp/string/byte/strtof)
这样的事情
GLfloat f = std::strtof (item.c_str(), nullptr);