不使用 std::getline
时间: 2023-08-02 07:07:54 浏览: 184
在C++中,使用文件流(std::ifstream 和 std::ofstream)可以方便地读取和写入文本文件 下面是一些示例
如果你不想使用 `std::getline` 函数来读取文件,你可以使用 `std::fstream` 类和 `operator>>` 运算符来逐个字符或逐个单词读取文件内容。
以下是使用 `operator>>` 运算符逐个单词读取文件内容并写入新文件的示例代码:
```c++
#include <iostream>
#include <fstream>
#include <string>
int main()
{
std::string input_file = "input.txt";
std::string output_file = "output.txt";
// 打开输入文件
std::ifstream fin(input_file);
// 检查输入文件是否打开成功
if (!fin.is_open())
{
std::cerr << "Failed to open input file: " << input_file << std::endl;
return 1;
}
// 打开输出文件
std::ofstream fout(output_file);
// 检查输出文件是否打开成功
if (!fout.is_open())
{
std::cerr << "Failed to open output file: " << output_file << std::endl;
return 1;
}
// 逐个单词读取输入文件并写入输出文件
std::string word;
while (fin >> word)
{
fout << word << " ";
}
// 关闭文件流
fin.close();
fout.close();
std::cout << "File copied successfully!" << std::endl;
return 0;
}
```
在这个示例程序中,我们使用 `std::ifstream` 和 `std::ofstream` 类打开输入文件和输出文件。然后,我们使用 `operator>>` 运算符逐个单词读取输入文件中的内容,并将读取到的单词写入输出文件。最后,我们关闭文件流并输出成功消息。
注意,这种方法无法处理空格或制表符等空白字符,因为它只会读取输入流中的非空白字符。如果你需要保留空格或制表符,可以将 `fout << word << " ";` 改为 `fout << word << std::endl;`,这样每个单词都会单独一行。
阅读全文