回顾和巩固《面向对象程序设计》的C++流,编程读写文件,解析字符流: 读文件a.txt: add(-23,45) add(20,sub(13,10)) add(sub(neg(4),12), muti(doubleMe(2),5)) div(54,add(3,sub(9,3)) 写入文件b.txt: add -23 45 add 20 sub 13 10 add sub neg 4 12 muti doubleMe 2 5 div 54 add 3 sub 9 3
时间: 2024-04-17 14:24:48 浏览: 88
你可以使用C++的文件流来读写文件。首,你需要使用`ifstream`类来打开要读取的文件,然后使用`>>`操作符来读取文件中的内容。同样地,你也可以使用`ofstream`类来打开要写入的文件,并使用`<<`操作符将内容写入文件。
下面是一个示例代码,实现了你描述的需求:
```cpp
#include <iostream>
#include <fstream>
#include <sstream>
#include <string>
// 解析字符流
void parseStream(std::istringstream& iss, std::ofstream& ofs) {
std::string command;
iss >> command;
if (command == "add") {
int num1, num2;
iss >> num1 >> num2;
ofs << "add\t" << num1 << "\t" << num2 << "\n";
} else if (command == "sub") {
int num1, num2;
iss >> num1 >> num2;
ofs << "sub\t" << num1 << "\t" << num2 << "\n";
} else if (command == "muti") {
std::string func;
int num1, num2;
iss >> func >> num1 >> num2;
ofs << "muti\t" << func << "\t" << num1 << "\t" << num2 << "\n";
} else if (command == "div") {
int num1, num2;
iss >> num1 >> num2;
ofs << "div\t" << num1 << "\t" << num2 << "\n";
} else if (command == "doubleMe") {
int num;
iss >> num;
ofs << "doubleMe\t" << num << "\n";
} else if (command == "neg") {
int num;
iss >> num;
ofs << "neg\t" << num << "\n";
}
}
int main() {
std::ifstream ifs("a.txt");
std::ofstream ofs("b.txt");
if (!ifs.is_open()) {
std::cout << "Failed to open input file." << std::endl;
return 1;
}
if (!ofs.is_open()) {
std::cout << "Failed to open output file." << std::endl;
return 1;
}
std::string line;
while (std::getline(ifs, line)) {
std::istringstream iss(line);
parseStream(iss, ofs);
}
ifs.close();
ofs.close();
return 0;
}
```
这段代码首先打开了输入文件`a.txt`和输出文件`b.txt`,然后逐行读取`a.txt`中的内容,并按照你的描述进行解析,将解析结果写入`b.txt`中。在解析过程中,使用`istringstream`来处理每一行的字符流。
运行这段代码后,你将得到一个名为`b.txt`的文件,其中包含了按照你的要求进行格式化后的内容。
注意:这只是一个简单的示例代码,仅适用于你提供的特定输入格式。在实际应用中,你可能需要进行更多的错误处理和逻辑判断来确保程序的稳定性和正确性。
阅读全文