如何在 C++ 中将文本追加到文件
-
使用
std::ofstream
和open()
方法将文本追加到文件中 -
使用
std::fstream
和open()
方法将文本追加到一个文件中 -
使用
write()
方法与std::fstream
和open()
一起将文本添加到文件中
本文介绍了多种在 C++ 中将文本追加到文件中的方法。
使用 std::ofstream
和 open()
方法将文本追加到文件中
首先,我们应该创建一个 ofstream
对象,然后调用它的成员函数 open()
。这个方法的第一个参数是字符串类型的文件名作为,对于第二个参数,我们可以通过指定下表所示的预定义常量来定义打开模式。
常量 | 解释 |
---|---|
std::ios_base::app |
在每次写入前都会寻找到流的末端 |
std::ios_base::binary |
以二进制模式打开 |
std::ios_base::in |
打开文件进行读操作 |
std::ios_base::out |
打开文件进行写入操作 |
std::ios_base::trunc |
打开时丢弃流的内容 |
std::ios_base::ate |
打开后立即寻求流的尽头 |
请注意,下面的代码示例在当前工作目录下创建了一个名为 tmp.txt
的文件。你可以传递一个文件的完整路径来创建或追加到不同的位置。
#include <iostream>
#include <fstream>
using std::cout; using std::ofstream;
using std::endl; using std::string;
int main()
{
string filename("tmp.txt");
ofstream file_out;
file_out.open(filename, std::ios_base::app);
file_out << "Some random text to append." << endl;
cout << "Done !" << endl;
return EXIT_SUCCESS;
}
输出:
Done !
使用 std::fstream
和 open()
方法将文本追加到一个文件中
另外,我们也可以使用 fstream
来实现前面的例子,它提供了一个打开给定文件进行读写/追加的选项。此方法是操作文件流的通用方法。注意,我们还添加了验证,如果用 is_open
调用的语句,可以验证流是否与指定的文件相关联。
#include <iostream>
#include <fstream>
using std::cout; using std::fstream;
using std::endl; using std::string;
int main()
{
string filename("tmp.txt");
fstream file;
file.open(filename, std::ios_base::app | std::ios_base::in);
if (file.is_open())
file << "Some random text to append." << endl;
cout << "Done !" << endl;
return EXIT_SUCCESS;
}
使用 write()
方法与 std::fstream
和 open()
一起将文本添加到文件中
解决这个问题的另一个方法是在 fstream
对象中显式调用 write()
成员函数,而不是像我们在前面的例子中那样使用 <<
操作符。这种方法对于大多数情况下应该会更快,但如果你有严格的性能要求,一定要对你的代码进行剖析并比较时间。
#include <iostream>
#include <fstream>
using std::cout; using std::fstream;
using std::endl; using std::string;
int main()
{
string text("Some huge text to be appended");
string filename("tmp.txt");
fstream file;
file.open(filename, std::ios_base::app);
if (file.is_open())
file.write(text.data(), text.size());
cout << "Done !" << endl;
return EXIT_SUCCESS;
}
Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.
LinkedIn