ifstream 读取文本时会清空文本内容
时间: 2023-07-18 21:39:59 浏览: 89
C文本文件读取
`ifstream` 类并不会清空文本内容。相反,它会打开一个文本文件,并从该文件中读取数据。如果您只是读取文件而不修改文件,那么文件内容将保持不变。
以下是一个例子,演示了使用 `ifstream` 类读取一个文本文件的内容,将内容输出到控制台并重新写回到文件中:
```c++
#include <iostream>
#include <fstream>
#include <string>
int main() {
std::string filename = "example.txt";
std::ifstream ifs(filename);
if (ifs.is_open()) {
std::string line;
while (std::getline(ifs, line)) {
std::cout << line << std::endl;
}
ifs.close();
// 再次打开文件,准备重新写入
std::ofstream ofs(filename);
if (ofs.is_open()) {
ofs << "This is the new content." << std::endl;
ofs.close();
}
else {
std::cerr << "Failed to open file: " << filename << std::endl;
return 1;
}
}
else {
std::cerr << "Failed to open file: " << filename << std::endl;
return 1;
}
return 0;
}
```
在上面的代码中,我们首先使用 `ifstream` 类打开 `example.txt` 文件并读取其内容,然后将内容输出到控制台。接着,我们再次打开文件,这次使用 `ofstream` 类写入新的内容,最后关闭文件。
希望这个例子能够解决您的疑惑。
阅读全文