0
0
CppHow-ToBeginner · 3 min read

How to Write a File in C++: Simple Guide with Examples

To write a file in C++, use the ofstream class from the <fstream> library. Open a file with ofstream, write data using the << operator, and close the file with .close() or let the destructor handle it.
📐

Syntax

Here is the basic syntax to write to a file in C++:

  • ofstream file; - creates a file stream object for writing.
  • file.open("filename.txt"); - opens the file to write.
  • file << data; - writes data to the file.
  • file.close(); - closes the file to save changes.

You can also open the file directly when creating the ofstream object.

cpp
std::ofstream file("example.txt");
file << "Hello, file!";
file.close();
💻

Example

This example shows how to write a simple text message into a file named output.txt. It opens the file, writes a line, and closes it.

cpp
#include <iostream>
#include <fstream>

int main() {
    std::ofstream file("output.txt");
    if (!file) {
        std::cerr << "Error opening file." << std::endl;
        return 1;
    }
    file << "This is a line written to the file.\n";
    file.close();
    std::cout << "File written successfully." << std::endl;
    return 0;
}
Output
File written successfully.
⚠️

Common Pitfalls

Common mistakes when writing files in C++ include:

  • Not checking if the file opened successfully before writing.
  • Forgetting to close the file, which may cause data loss.
  • Using ifstream instead of ofstream for writing.
  • Writing binary data without opening the file in binary mode.
cpp
#include <fstream>

// Wrong: using ifstream to write
// std::ifstream file("test.txt");
// file << "Hello"; // Error: ifstream is for reading

// Right way:
std::ofstream file("test.txt");
if (file) {
    file << "Hello";
    file.close();
}
📊

Quick Reference

Remember these tips when writing files in C++:

  • Include <fstream> to use file streams.
  • Use ofstream to write files.
  • Always check if the file opened successfully.
  • Close the file after writing to save data.
  • Use binary mode (std::ios::binary) for non-text files.

Key Takeaways

Use ofstream from <fstream> to write files in C++.
Always check if the file opened successfully before writing.
Close the file after writing to ensure data is saved.
Use the insertion operator << to write data to the file.
Open files in binary mode when writing non-text data.