1

下面我有一个读取文本文件的代码,如果其中包含单词,则仅将一行写入另一个文本文件 "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;
}
4

2 回答 2

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();
    }
}
于 2012-09-07T22:57:02.287 回答
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;
}
于 2012-09-07T22:57:17.773 回答