Adding text and lines to the beginning of a file (C++)

后端 未结 1 550
佛祖请我去吃肉
佛祖请我去吃肉 2020-12-19 09:44

I\'d like to be able to add lines to the beginning of a file.

This program I am writing will take information from a user, and prep it to write to a file. That file

相关标签:
1条回答
  • 2020-12-19 10:04

    See trent.josephsen's answer:

    You can't insert data at the start of a file on disk. You need to read the entire file into memory, insert data at the beginning, and write the entire thing back to disk. (This isn't the only way, but given the file isn't too large, it's probably the best.)

    You can achieve such by using std::ifstream for the input file and std::ofstream for the output file. Afterwards you can use std::remove and std::rename to replace your old file:

    #include <iostream>
    #include <fstream>
    #include <string>
    #include <cstdio>
    
    int main(){
        std::ofstream outputFile("outputFileName");
        std::ifstream inputFile("inputFileName");
    
        outputFile << "Write your lines...\n";
        outputFile << "just as you would do to std::cout ...\n";
    
        outputFile << inputFile.rdbuf();
    
        inputFile.close();
        outputFile.close();
    
        std::remove("inputFileName");
        std::rename("outputFileName","inputFileName");
        
        return 0;
    }
    

    Another approach which doesn't use remove or rename uses a std::stringstream:

    #include <iostream>
    #include <fstream>
    #include <string>
    #include <sstream>
    
    int main(){
        const std::string fileName = "outputFileName";
        std::fstream processedFile(fileName.c_str());
        std::stringstream fileData;
    
        fileData << "First line\n";
        fileData << "second line\n";
    
        fileData << processedFile.rdbuf();
        processedFile.close();
    
        processedFile.open(fileName.c_str(), std::fstream::out | std::fstream::trunc); 
        processedFile << fileData.rdbuf();
    
        return 0;
    }
    
    0 讨论(0)
提交回复
热议问题