我正在尝试在指定文件中查找一行并将其替换为我的行。我无法访问我将在其上运行的计算机上的库,因此我创建了一个自定义文件。问题似乎是对fstream对象的写入调用。我想知道你们中是否有人可以提供帮助。此外,我的getline循环在到达文件末尾之前停止,我不知道为什么。
#include <iostream>
#include <fstream>
#include <string>
#define TARGET2 "Hi"
using namespace std;
void changeFile(string fileName){
fstream myStream;
myStream.open(fileName.c_str(),fstream::in | fstream::out);
string temp;
string temp2 = "I like deep dish pizza";
while(getline(myStream, temp)){
if(temp == TARGET2){
cout << "Match" << endl;
myStream.write(temp2.c_str(), 100);
myStream << temp2 << endl;
cout << "No runtime error: " << temp2 << endl;
}
cout << temp << endl;
}
myStream.close();
}
int main (void){
changeFile("Hi.txt");
return 0;
}
Hi.txt
Hi
Today is June 18
I like pizza
I like pepperoni
输出结果为:
Match
No runtime error: I like deep dish pizza
Hi
答案 0 :(得分:5)
myStream.write(temp2.c_str(), 100);
myStream << temp2 << endl;
为什么你要两次写这个文件,为什么你告诉它“我喜欢深盘披萨”是100个字符长?仅仅使用第二行就可以做你想做的事。
我认为循环结束的原因是你在阅读时正在编写文件,导致getline
混淆。如果文件很小,我只需将整个内容读入stringstream
,替换要替换的行,然后将整个stringstream
写入文件。就地更改文件要困难得多。
示例:
#include <fstream>
#include <iostream>
#include <sstream>
int main(int argc, char** argv) {
/* Accept filename, target and replacement string from arguments for a more
useful example. */
if (argc != 4) {
std::cout << argv[0] << " [file] [target string] [replacement string]\n"
<< " Replaces [target string] with [replacement string] in [file]" << std::endl;
return 1;
}
/* Give these arguments more meaningful names. */
const char* filename = argv[1];
std::string target(argv[2]);
std::string replacement(argv[3]);
/* Read the whole file into a stringstream. */
std::stringstream buffer;
std::fstream file(filename, std::fstream::in);
for (std::string line; getline(file, line); ) {
/* Do the replacement while we read the file. */
if (line == target) {
buffer << replacement;
} else {
buffer << line;
}
buffer << std::endl;
}
file.close();
/* Write the whole stringstream back to the file */
file.open(filename, std::fstream::out);
file << buffer.str();
file.close();
}
运行如:
g++ example.cpp -o example
./example Hi.txt Hi 'I like deep dish pizza'