下面我有一个代码,它读取一个文本文件,只有在其中有单词"unique_chars"
的情况下才会将一行写入另一个文本文件。我也在该行上有其他垃圾,例如。 "column"
如何将短语"column"
替换为其他内容,例如"wall"
?
所以我的行就像<column name="unique_chars">x22k7c67</column>
#include <iostream>
#include <fstream>
using namespace std;
int main()
{
ifstream stream1("source2.txt");
string line ;
ofstream stream2("target2.txt");
while( std::getline( stream1, line ) )
{
if(line.find("unique_chars") != string::npos){
stream2 << line << endl;
cout << line << endl;
}
}
stream1.close();
stream2.close();
return 0;
}
答案 0 :(得分:2)
如果您希望替换所有出现的字符串,您可以实现自己的replaceAll函数。
void replaceAll(std::string& str, const std::string& from, const std::string& to) {
if(from.empty())
return;
size_t pos = 0;
while((pos = str.find(from, pos)) != std::string::npos) {
str.replace(pos, from.length(), to);
pos += to.length();
}
}
答案 1 :(得分:1)
要进行替换,你可以使用std :: string的方法“replace”,它需要一个起始位置和结束位置以及取代你所删除内容的字符串/标记,如下所示:
(你也忘了在你的代码中包含字符串标题)
#include <iostream>
#include <fstream>
#include <string>
using namespace std;
int main()
{
ifstream stream1("source2.txt");
string line;
ofstream stream2("target2.txt");
while(getline( stream1, line ))
{
if(line.find("unique_chars") != string::npos)
{
string token("column ");
string newToken("wall ");
int pos = line.find(token);
line = line.replace(pos, pos + token.length(), newToken);
stream2 << line << endl;
cout << line << endl;
}
}
stream1.close();
stream2.close();
system("pause");
return 0;
}