我正在尝试使用一个文本文件来初始化一个用于初始化2d向量的结构,是的,我知道它很复杂,但最终会有很多数据需要处理。问题在于getline,我在其他代码中使用它很好但是由于某种原因它拒绝在这里工作。我不断收到参数错误和模板错误。任何提示都将非常感激。
#include <fstream>
#include <string>
#include <vector>
#include <iostream>
using namespace std;
const int HORIZROOMS=10;
const int VERTROOMS=10;
const int MAXDESCRIPTIONS=20;
const int MAXEXITS=6;
struct theme
{
string descriptions[MAXDESCRIPTIONS];
string exits[MAXEXITS];
};
void getTheme();
int _tmain(int argc, _TCHAR* argv[])
{
getTheme();
vector<vector <room>> rooms(HORIZROOMS, vector<room>(VERTROOMS));
for (int i=0; i<HORIZROOMS; i++)
{
for (int j=0; j<VERTROOMS; j++)
{
cout<<i<<" "<<j<<" "<<rooms[i][j].getRoomDescription()<<endl;
}
}
return 0;
}
void getTheme()
{
theme currentTheme;
string temp;
int numDescriptions;
int numExits;
ifstream themeFile("zombie.txt");
getline(themeFile, numDescriptions, ',');
for (int i=0; i<numDescriptions; i++)
{
getline(themeFile, temp, ',');
currentTheme.descriptions[i]=temp;
}
getline(themeFile, numExits, ',');
for (int i=0; i<numExits; i++)
{
getline(themeFile, temp, ',');
currentTheme.exits[i]=temp;
}
themeFile.close();
}
答案 0 :(得分:2)
std::getline
用于从流中提取到std::string
。当您提取到numDescriptions
和numExits
时,您实际需要的是operator>>
。例如,
themeFile >> numDescriptions;
这将自动停止提取以下,
。但是,如果您不希望它出现在下一个std::getline
提取中,则需要跳过此逗号:
themeFile.ignore();
或者,您可以std::string numDescriptionsString
使用std::getline(themeFile, numDescriptionsString, ',')
,然后使用std::string
将int
转换为std::stoi
:
getline(themeFile, numDescriptionsString, ',');
numDescriptions = std::stoi(numDescriptionsString);
我会说这更加丑陋。