在Linux下使用C++進行文件操作,通常會用到C++標準庫中的<fstream>頭文件,它提供了文件流對象來進行文件的讀寫操作。以下是一些基本的文件操作指南:
使用std::ifstream打開文件用于讀取,使用std::ofstream打開文件用于寫入,使用std::fstream打開文件用于讀寫。
#include <fstream>
#include <iostream>
int main() {
    std::ifstream infile("example.txt"); // 打開文件用于讀取
    if (!infile) {
        std::cerr << "Unable to open file for reading!" << std::endl;
        return 1;
    }
    std::ofstream outfile("example_copy.txt"); // 打開文件用于寫入
    if (!outfile) {
        std::cerr << "Unable to open file for writing!" << std::endl;
        return 1;
    }
    // ... 進行文件操作 ...
    infile.close(); // 關閉文件
    outfile.close();
    return 0;
}
可以使用>>操作符或者std::getline()函數來讀取文件內容。
std::string line;
while (std::getline(infile, line)) {
    std::cout << line << std::endl; // 輸出每一行
}
// 或者使用 >> 操作符逐個讀取單詞
std::string word;
while (infile >> word) {
    std::cout << word << std::endl;
}
可以使用<<操作符將數據寫入文件。
outfile << "Hello, World!" << std::endl;
在打開文件時,可以使用std::ios::app標志來追加內容到文件末尾。
std::ofstream outfile("example.txt", std::ios::app);
outfile << "Appended text" << std::endl;
可以使用成員函數如eof(), fail(), bad()來檢查文件流的狀態。
if (infile.eof()) {
    std::cout << "Reached end of file" << std::endl;
}
if (infile.fail()) {
    std::cout << "An error occurred" << std::endl;
}
完成文件操作后,應該關閉文件以釋放資源。
infile.close();
outfile.close();
除了C++風格的文件操作,你還可以使用C語言的文件操作函數,如fopen(), fclose(), fread(), fwrite()等。
#include <cstdio>
int main() {
    FILE* file = fopen("example.txt", "r"); // 打開文件用于讀取
    if (!file) {
        std::cerr << "Unable to open file for reading!" << std::endl;
        return 1;
    }
    // ... 進行文件操作 ...
    fclose(file); // 關閉文件
    return 0;
}
在使用C風格文件操作時,需要包含<cstdio>頭文件,并且使用FILE*類型的指針來管理文件。
這些是C++在Linux下進行文件操作的基本指南。根據實際需求,你可能需要使用更高級的功能,比如隨機訪問文件、文件鎖定等。