基本上,我对C ++几乎一无所知,只在Visual Basic中进行了简要编程。
我希望将csv文件中的一堆数字存储为float
数组。这是一些代码:
string stropenprice[702];
float openprice[702];
int x=0;
ifstream myfile ("open.csv");
if (myfile.is_open())
{
while ( myfile.good() )
{
x=x+1;
getline (myfile,stropenprice[x]);
openprice[x] = atof(stropenprice[x]);
...
}
...
}
无论如何它说:
错误C2664:'atof':无法将参数1从'std :: string'转换为'const char *'
答案 0 :(得分:4)
好吧,你必须说atof(stropenprice[x].c_str())
,因为atof()
只能操作C风格的字符串,而不是std::string
个对象,但这还不够。您仍然必须将该行标记为逗号分隔的片段。 find()
和substr()
可能是一个好的开始(例如see here),但也许更通用的标记化功能会更优雅。
这是我很久以前从某个地方偷走的一个令牌化器功能,我不记得了,所以对于剽窃道歉:
std::vector<std::string> tokenize(const std::string & str, const std::string & delimiters)
{
std::vector<std::string> tokens;
// Skip delimiters at beginning.
std::string::size_type lastPos = str.find_first_not_of(delimiters, 0);
// Find first "non-delimiter".
std::string::size_type pos = str.find_first_of(delimiters, lastPos);
while (std::string::npos != pos || std::string::npos != lastPos)
{
// Found a token, add it to the vector.
tokens.push_back(str.substr(lastPos, pos - lastPos));
// Skip delimiters. Note the "not_of"
lastPos = str.find_first_not_of(delimiters, pos);
// Find next "non-delimiter"
pos = str.find_first_of(delimiters, lastPos);
}
return tokens;
}
用法:std::vector<std::string> v = tokenize(line, ",");
现在对向量中的每个字符串使用std::atof()
(或std::strtod()
)。
这是一个建议,只是为了让你知道一个人通常如何在C ++中编写这样的代码:
#include <string>
#include <fstream>
#include <vector>
#include <cstdlib>
// ...
std::vector<double> v;
std::ifstream infile("thefile.txt");
std::string line;
while (std::getline(infile, line))
{
v.push_back(std::strtod(line.c_str(), NULL)); // or std::atof(line.c_str())
}
// we ended up reading v.size() lines