如何在不知道C ++长度的情况下从文件中读取二维数组?

时间:2015-12-14 18:42:12

标签: c++ arrays end-of-line

就像标题所说,我试图从文件中读取未知数量的整数并将它们放在二维数组中。

#include <iostream>
#include <fstream>
using namespace std;
int main()
{

fstream f;int i,j,n,a[20][20];char ch;

i=0;j=0;n=0;
f.open("array.txt", ios::in);
while(!f.eof())
{
    i++;
    n++;
    do
    {
        f>>a[i][j];
        j++;
        f>>ch;
    }
    while(ch!='\n');
}

for(i=1;i<=n;i++)
{
    for(j=1;j<=n;j++)
        cout<<a[i][j]<<endl;
    cout<<endl;
}
return 0;

}

和我的&#34; array.txt&#34;档案:

1 1 1
2 2 2
3 3 3

编译程序后,打印此

enter image description here

3 个答案:

答案 0 :(得分:4)

由于您的输入文件是面向行的,因此您应该使用istringstream(C ++等效或C fgets)来读取一行,然后使用#include <iostream> #include <fstream> #include <vector> #include <string> #include <sstream> using namespace std; int main() { fstream f; int i=0, j=0, n=0; string line; vector<vector<int>> a; f.open("array.txt", ios::in); for(;;) { std::getline(f, line); if (! f) break; // test eof after read a.push_back(vector<int>()); std::istringstream fline(line); j = 0; for(;;) { int val; fline >> val; if (!fline) break; a[i].push_back(val); j++; } i++; if (n == 0) n = j; else if (n != j) { cerr << "Error line " << i << " - " << j << " values instead of " << n << endl; } } if (i != n) { cerr << "Error " << i << " lines instead of " << n << endl; } for(vector<vector<int>>::const_iterator it = a.begin(); it != a.end(); it++) { for (vector<int>::const_iterator jt = it->begin(); jt != it->end(); jt++) { cout << " " << *jt; } cout << endl; } return 0; } 将该行解析为整数。由于您不知道先验的大小,您应该使用向量,并始终控制所有行具有相同的大小,并且行数与列数相同。

最后但并非最不重要的一点是,您应该在读取后立即测试eof ,而不是在循环开始时测试。

代码变为:

touchPixelRatio

答案 1 :(得分:1)

您可能希望查看使用矢量,以便拥有动态数组。

答案 2 :(得分:0)

尝试:

#include <iostream>
#include <fstream>
#include <sstream>
#include <string>
using namespace std;
int main() {
  fstream f;
  int i, j, n, a[20][20];
  string buf;

  i = 0;
  j = 0;
  n = 0;
  f.open("array.txt", ios::in);
  while (1) {
    getline(f, buf);
    if (f.eof()) break;
    stringstream buf_stream(buf);
    j = 0;
    do {
      buf_stream >> a[i][j];
      j++;
    } while (!buf_stream.eof());
    i++;
    n++;
  }

  for (i = 0; i < n; i++) {
    for (j = 0; j < n; j++) cout << a[i][j] << " ";
    cout << endl;
  }
  return 0;
}

另外,如果你真的想要读取任意大的数组,那么你应该使用std::vector或其他一些容器,而不是原始数组。