在 C++ 中將文字檔案讀入二維陣列

Dhruvdeep Singh Saini 2023年10月12日
  1. 在 C++ 中使用 fstream 將文字檔案讀入二維陣列
  2. 在 C++ 中將文字檔案讀入動態二維陣列
在 C++ 中將文字檔案讀入二維陣列

本文將討論在 C++ 中將文字檔案讀入二維陣列的兩種方法。

在 C++ 中使用 fstream 將文字檔案讀入二維陣列

要將我們的輸入文字檔案讀入 C++ 中的二維陣列,我們將使用 ifstream 函式。它將幫助我們使用提取運算子讀取單個資料。

在使用 ifstream 之前包含 #include<fstream> 標準庫。

假設我們的文字檔案有以下資料。

10 20 30 40
50 60 70 80
90 100 110 120
130 140 150 160

我們必須開啟檔案並告訴編譯器從檔案中讀取輸入。我們將使用 ifstream 建構函式來建立檔案流。

#include <fstream>
#include <iostream>

using namespace std;

int main() {
  int row = 4;
  int col = 4;

  int myArray[row][col];

  // Opening the file
  ifstream inputfile("2dinput.txt");

  if (!inputfile.is_open()) cout << "Error opening file";

  // Defining the loop for getting input from the file

  for (int r = 0; r < row; r++)  // Outer loop for rows
  {
    for (int c = 0; c < col; c++)  // inner loop for columns
    {
      inputfile >> myArray[r][c];  // Take input from file and put into myArray
    }
  }

  for (int r = 0; r < row; r++) {
    for (int c = 0; c < col; c++) {
      cout << myArray[r][c] << "\t";
    }
    cout << endl;
  }
}

輸出:

10      20      30      40
50      60      70      80
90      100     110     120
130     140     150     160

如我們所見,我們宣告瞭二維陣列的大小,定義了 inputfile,並使用 ifstream 提供了它的地址。

如果文字檔案在同一個資料夾中,只給出名稱和副檔名。但是,如果文字檔案在另一個資料夾中,請務必從計算機系統中貼上文字檔案的完整地址。

宣告檔案後,我們對每一行和每一列使用 for 迴圈來從文字檔案中獲取輸入。一旦我們獲得輸入,巢狀的 for 迴圈就會列印陣列中的每個元素。

上述方法僅適用於 C++ 中的靜態和方形二維陣列,其中陣列的大小是已知的。否則,編譯器會將文字檔案的輸入設定到二維陣列中的錯誤位置。

如果你想在 C++ 中定義一個不是正方形的二維陣列,我們需要在第一個 for 迴圈內建立一個列數陣列。

考慮如何定義下面的非方形二維陣列的示例。

// Declare number of rows
2Darray = new int*[8];

ifstream myfile("File Address");

for (int r = 0; r < 8; r++)  // Outer loop for 8 rows
{
  2Darray [c] = new int[5];  // Each row has 5 columns

  for (int c = 0; c < 5; c++)  // Inner loop for columns
  {
    file >> 2Darray [r][c];
  }
}

在 C++ 中將文字檔案讀入動態二維陣列

如果我們想要動態 C++ 矩陣結構的文字輸入,我們不使用陣列。相反,我們使用向量。

向量允許通過列表介面建立動態分配的陣列。向量在堆中使用記憶體時會增加,並會自動解除分配。

假設我們的文字檔案有以下字元。

R O W 1
A B
R O W 3
X Y
R O W 5

為了在 C++ 中建立一個二維向量,我們實現了下面的程式碼。

#include <fstream>
#include <iostream>
#include <string>
#include <vector>

int main() {
  std::string eachrow;

  std::ifstream myfile("2dinputvector.txt");

  std::vector<std::vector<char> > MyVector;

  while (std::getline(myfile, eachrow)) {
    std::vector<char> row;

    for (char &x : eachrow) {
      if (x != ' ')
        // add element to vector row
        row.push_back(x);
    }
    // after iterating row in text file, add vector into 2D vector
    MyVector.push_back(row);
  }

  for (std::vector<char> &row : MyVector) {
    for (char &x : row)
      // print each element
      std::cout << x << ' ';

    // change row
    std::cout << '\n';
  }

  return 0;
}

輸出:

R O W 1
A B
R O W 3
X Y
R O W 5

在上面的程式中,我們成功地建立了一個二維向量。然後我們使用 ifstream 庫開啟檔案進行文字輸入。

while 迴圈使用標準 getline 方法從文字檔案中提取字元。然後變數 x 用於迭代文字檔案中的每一行,並在文字檔案中遇到空格後將元素推回向量 eachrow

此後,迴圈再次使用 push_back 函式將整行移動到二維向量中。對文字檔案中存在的所有行中的所有輸入重複此操作。

第二個 for 迴圈用於列印 MyVector