File writing is a crucial skill for C++ programmers. It allows you to store data persistently, create logs, and generate reports. This guide will walk you through the process of writing to files in C++.
C++ provides the ofstream class for writing to files. It's part of the <fstream> header.
#include <fstream>
#include <string>
int main() {
    std::ofstream outFile("example.txt");
    if (outFile.is_open()) {
        outFile << "Hello, World!" << std::endl;
        outFile.close();
    }
    return 0;
}
    This example opens a file named "example.txt", writes "Hello, World!" to it, and then closes the file.
When opening a file for writing, you can specify different modes:
std::ios::out: Open for output operations (default for ofstream).std::ios::app: Append to the end of the file.std::ios::trunc: If the file exists, its contents will be truncated before opening the file.To add content to an existing file without overwriting its contents, use the append mode:
std::ofstream outFile("log.txt", std::ios::app);
if (outFile.is_open()) {
    outFile << "New log entry" << std::endl;
    outFile.close();
}
    Always check if the file was opened successfully before writing to it. You can use C++ Try-Catch Blocks for more robust error handling:
try {
    std::ofstream outFile("data.txt");
    if (!outFile) {
        throw std::runtime_error("Unable to open file");
    }
    outFile << "Data written successfully" << std::endl;
    outFile.close();
} catch (const std::exception& e) {
    std::cerr << "Error: " << e.what() << std::endl;
}
    You can use manipulators and the stream insertion operator to format your output:
#include <iomanip>
std::ofstream outFile("report.txt");
if (outFile.is_open()) {
    outFile << std::setw(10) << std::left << "Name" << std::setw(5) << "Age" << std::endl;
    outFile << std::setw(10) << std::left << "Alice" << std::setw(5) << 30 << std::endl;
    outFile << std::setw(10) << std::left << "Bob" << std::setw(5) << 25 << std::endl;
    outFile.close();
}
    This creates a neatly formatted table in the output file.
Writing to files in C++ is a powerful feature that allows you to persist data and create various types of output. By understanding the basics of ofstream, file modes, and error handling, you can effectively manage file writing operations in your C++ programs. Remember to always handle potential errors and close your files properly to ensure data integrity and efficient resource usage.