1. 程式人生 > 其它 >【C++檔案和流】

【C++檔案和流】

C++ 檔案和流

檔案和流

  • 標準庫 <fstream>
    資料型別: ofstream, ifstream, fstream

  • 開啟檔案 open() 函式

void open(const char *filename, ios::openmode mode);

mode為檔案開啟模式:
1. ios::app, 追加模式
2. ios::ate, 檔案開啟後定位到檔案末尾
3. ios::in, 開啟檔案用於讀取
4. ios::out, 開啟檔案用於寫入
5. ios::trunc, 如果檔案存在,內容將會在開啟檔案前被截斷,即檔案長度設為0

例: 如果想要開啟一個檔案用於讀寫

ifstream  afile;
afile.open("file.dat", ios::out | ios::in );
  • 關閉檔案 close() 函式

  • 寫入和讀取檔案 使用流插入運算子(<<) 和流提取運算子(>>)

  • 讀取、寫入例項

#include <fstream>
#include <iostream>
using namespace std;
 
int main ()
{
    
   char data[100];
 
   // 以寫模式開啟檔案
   ofstream outfile;
   outfile.open("afile.dat");
 
   cout << "Writing to the file" << endl;
   cout << "Enter your name: "; 
   cin.getline(data, 100);
 
   // 向檔案寫入使用者輸入的資料
   outfile << data << endl;
 
   cout << "Enter your age: "; 
   cin >> data;
   cin.ignore();
   
   // 再次向檔案寫入使用者輸入的資料
   outfile << data << endl;
 
   // 關閉開啟的檔案
   outfile.close();
 
   // 以讀模式開啟檔案
   ifstream infile; 
   infile.open("afile.dat"); 
 
   cout << "Reading from the file" << endl; 
   infile >> data; 
 
   // 在螢幕上寫入資料
   cout << data << endl;
   
   // 再次從檔案讀取資料,並顯示它
   infile >> data; 
   cout << data << endl; 
 
   // 關閉開啟的檔案
   infile.close();
 
   return 0;
}

結果

$./a.out
Writing to the file
Enter your name: Zara
Enter your age: 9
Reading from the file
Zara
9
  • 檔案位置指標
    istream 的 seekg("seek get")
    ostream 的 seekp("seek put")

    第二個引數可以用於指定查詢方向。
    ios::beg(預設的,從流的開頭開始定位)
    ios::cur(從流的當前位置開始定位)
    ios::end(從流的末尾開始定位)

// 定位到 fileObject 的第 n 個位元組(假設是 ios::beg)
fileObject.seekg( n );
 
// 把檔案的讀指標從 fileObject 當前位置向後移 n 個位元組
fileObject.seekg( n, ios::cur );
 
// 把檔案的讀指標從 fileObject 末尾往回移 n 個位元組
fileObject.seekg( n, ios::end );
 
// 定位到 fileObject 的末尾
fileObject.seekg( 0, ios::end );