我正在尝试从文本文件中为二维数组赋值,这就是我所拥有的:
string line = "";
string temp = "";
string removechr = "{} ";
string sepchar = ",";
ifstream myfile("pt.txt", ios::in);
if(myfile.is_open()){
while( getline(myfile,line)){
//--Remove characters
size_t found = line.find_first_of(removechr);
while(found != string::npos){
line.erase(found);
}
//--Assign Values
for(int y = 0; y < YCOL; ++y){
for(int x = 0; x < XROW; ++x){
size_t found = line.find_first_of(sepchar);
while(found != string::npos){
temp.insert(line.begin(),found);
map[y][x]=stoi(temp);
temp = "";
line.erase(line.begin(),(line.begin() + found) - 1) ;
}
}
}//End of for loop
}
}
首先我删除不必要的字符({}和空格),然后我运行循环来设置数组中的值。所以现在当它找到第一个逗号时,我想将值插入临时字符串,因此可以将其分配给数组。毕竟,我删除了刚分配的部分。
这就是我想做的,但我似乎没有工作,我希望有更好的方法来做到这一点。
答案 0 :(得分:0)
看来,你的问题并不是打开文件并处理潜在的错误。因此,这集中在实际循环上。你没有完全指定文件的格式,但似乎你得到的东西包含curlies和逗号分隔的整数。目前还不清楚每一行是否在它自己的行上,或者它是否可以分割成多行(如果是后者;我会读取整个文件,进行下面的转换然后分配结果)。我假设每一行都在它自己的行上:
std::string line;
for (int row(0); row != rows; ++row) {
if (!std::getline(myfile, line)) {
std::cout << "failed to read all rows!\n";
return false;
}
// remove curlies; spaces don't matter
line.erase(std::remove_if(line.begin(), line.end(),
[](char c){ return c == '{' || c == '}'; }));
std::replace(line.begin(), line.end(), ',', ' ');
std::istringstream in(line);
for (int col(0); col != cols; ++col) {
if (!(in >> map[row][col]) {
std::cout << "failed to read all columns in row " << row << "\n";
return false;
}
}
}
代码首先从行中删除垃圾,然后用空格替换逗号,因为这些是整数的整齐分隔符,然后只读取单元格。