web-dev-qa-db-ja.com

文字列の一部を別の文字列に置き換える

C + +で文字列の一部を別の文字列で置き換えることは可能ですか?

基本的に、私はこれをしたいと思います:

QString string("hello $name");
string.replace("$name", "Somename");

しかし、私は標準C++ライブラリを使いたいのです。

165
Tom Leese

文字列内の部分文字列を検索する機能( find )と、文字列内の特定の範囲を別の文字列に置き換える機能( replace )があります。あなたが望む効果を得るためのもの:

bool replace(std::string& str, const std::string& from, const std::string& to) {
    size_t start_pos = str.find(from);
    if(start_pos == std::string::npos)
        return false;
    str.replace(start_pos, from.length(), to);
    return true;
}

std::string string("hello $name");
replace(string, "$name", "Somename");

コメントを受けて、私はreplaceAllはおそらく次のようになると思います。

void replaceAll(std::string& str, const std::string& from, const std::string& to) {
    if(from.empty())
        return;
    size_t start_pos = 0;
    while((start_pos = str.find(from, start_pos)) != std::string::npos) {
        str.replace(start_pos, from.length(), to);
        start_pos += to.length(); // In case 'to' contains 'from', like replacing 'x' with 'yx'
    }
}
259
Michael Mrozek

C++ 11では、次のようにstd::regexを使用できます。

    std::string string("hello $name");
    string = std::regex_replace(string, std::regex("\\$name"), "Somename");

二重円記号はエスケープ文字をエスケープするために必要です。

73
Tom

std::stringには replace というメソッドがありますが、探しているものは何ですか?

あなたが試すことができます:

s.replace(s.find("$name"), sizeof("$name") - 1, "Somename");

find()replace()のドキュメントを読んでください。

18
S.C. Madsen

新しい文字列を返すにはこれを使います。

std::string ReplaceString(std::string subject, const std::string& search,
                          const std::string& replace) {
    size_t pos = 0;
    while ((pos = subject.find(search, pos)) != std::string::npos) {
         subject.replace(pos, search.length(), replace);
         pos += replace.length();
    }
    return subject;
}

パフォーマンスが必要な場合は、入力文字列を変更する最適化された関数があります。文字列のコピーは作成されません。

void ReplaceStringInPlace(std::string& subject, const std::string& search,
                          const std::string& replace) {
    size_t pos = 0;
    while ((pos = subject.find(search, pos)) != std::string::npos) {
         subject.replace(pos, search.length(), replace);
         pos += replace.length();
    }
}

テスト:

std::string input = "abc abc def";
std::cout << "Input string: " << input << std::endl;

std::cout << "ReplaceString() return value: " 
          << ReplaceString(input, "bc", "!!") << std::endl;
std::cout << "ReplaceString() input string not modified: " 
          << input << std::endl;

ReplaceStringInPlace(input, "bc", "??");
std::cout << "ReplaceStringInPlace() input string modified: " 
          << input << std::endl;

出力:

Input string: abc abc def
ReplaceString() return value: a!! a!! def
ReplaceString() input string not modified: abc abc def
ReplaceStringInPlace() input string modified: a?? a?? def
8
Czarek Tomczak

はい、できますが、最初の文字列の位置をstringのfind()メンバで見つけて、それをreplace()メンバに置き換える必要があります。

string s("hello $name");
size_type pos = s.find( "$name" );
if ( pos != string::npos ) {
   s.replace( pos, 5, "somename" );   // 5 = length( $name )
}

あなたが標準ライブラリを使うことを計画しているなら、あなたは本のコピー C++標準ライブラリ を本当に手に入れるべきです。

6
anon

これはオプションのように聞こえます

string.replace(string.find("%s"), string("%s").size(), "Something");

これを関数でラップすることもできますが、この1行の解決策は受け入れ可能です。問題は、これが最初の出現のみを変更するということです、あなたはそれをループしたくなるかもしれませんが、それは同じトークンでこの文字列にいくつかの変数を挿入することを可能にします(%s

4
maxoumime

私は一般的にこれを使用します:

std::string& replace(std::string& s, const std::string& from, const std::string& to)
{
    if(!from.empty())
        for(size_t pos = 0; (pos = s.find(from, pos)) != std::string::npos; pos += to.size())
            s.replace(pos, from.size(), to);
    return s;
}

std::string::find()が何も見つからなくなるまで、検索された文字列の他の出現箇所を見つけるためにstd::string::find()を繰り返し呼び出します。 std::string::find()はマッチのpositionを返すので、イテレータを無効にするという問題はありません。

4
Galik

すべての文字列がstd :: stringの場合、sizeof()を使用すると、C++文字列ではなくC文字列を対象としているため、文字の切り捨てに関して奇妙な問題が発生します。修正方法は、std::string.size()クラスメソッドを使用することです。

sHaystack.replace(sHaystack.find(sNeedle), sNeedle.size(), sReplace);

これはsHaystackをインラインで置き換えるものです - それに対して=代入を行う必要はありません。

使用例

std::string sHaystack = "This is %XXX% test.";
std::string sNeedle = "%XXX%";
std::string sReplace = "my special";
sHaystack.replace(sHaystack.find(sNeedle),sNeedle.size(),sReplace);
std::cout << sHaystack << std::endl;
3
Volomike
wstring myString = L"Hello $$ this is an example. By $$.";
wstring search = L"$$";
wstring replace = L"Tom";
for (int i = myString.find(search); i >= 0; i = myString.find(search))
    myString.replace(i, search.size(), replace);
2
user3016543
std::string replace(std::string base, const std::string from, const std::string to) {
    std::string SecureCopy = base;

    for (size_t start_pos = SecureCopy.find(from); start_pos != std::string::npos; start_pos = SecureCopy.find(from,start_pos))
    {
        SecureCopy.replace(start_pos, from.length(), to);
    }

    return SecureCopy;
}
2
Lucas Civali

あなたがすぐにそれをしたいならば、あなたは2つのスキャンアプローチを使うことができます。擬似コード

  1. 最初の解析一致する文字数を見つけます。
  2. 文字列の長さを拡張します。
  3. セカンドパース。置き換える文字列の末尾から始めます。それ以外の場合は、最初の文字列から文字をコピーするだけです。

これがインプレースアルゴに最適化できるかどうかはわかりません。

そして、C++ 11のコード例ですが、私は1文字しか検索しません。

#include <string>
#include <iostream>
#include <algorithm>
using namespace std;

void ReplaceString(string& subject, char search, const string& replace)
{   
    size_t initSize = subject.size();
    int count = 0;
    for (auto c : subject) { 
        if (c == search) ++count;
    }

    size_t idx = subject.size()-1 + count * replace.size()-1;
    subject.resize(idx + 1, '\0');

    string reverseReplace{ replace };
    reverse(reverseReplace.begin(), reverseReplace.end());  

    char *end_ptr = &subject[initSize - 1];
    while (end_ptr >= &subject[0])
    {
        if (*end_ptr == search) {
            for (auto c : reverseReplace) {
                subject[idx - 1] = c;
                --idx;              
            }           
        }
        else {
            subject[idx - 1] = *end_ptr;
            --idx;
        }
        --end_ptr;
    }
}

int main()
{
    string s{ "Mr John Smith" };
    ReplaceString(s, ' ', "%20");
    cout << s << "\n";

}
1
Damian

私はたった今C++を学んでいますが、以前に投稿されたコードのいくつかを編集して、私はおそらくこのようなものを使うでしょう。これにより、1つまたは複数のインスタンスを柔軟に置き換えることができ、また開始点を指定することもできます。

using namespace std;

// returns number of replacements made in string
long strReplace(string& str, const string& from, const string& to, size_t start = 0, long count = -1) {
    if (from.empty()) return 0;

    size_t startpos = str.find(from, start);
    long replaceCount = 0;

    while (startpos != string::npos){
        str.replace(startpos, from.length(), to);
        startpos += to.length();
        replaceCount++;

        if (count > 0 && replaceCount >= count) break;
        startpos = str.find(from, startpos);
    }

    return replaceCount;
}
0
someprogrammer

私自身の実装では、文字列は一度だけリサイズする必要があるということを考慮して、置き換えが起こる可能性があります。

template <typename T>
std::basic_string<T> replaceAll(const std::basic_string<T>& s, const T* from, const T* to)
{
    auto length = std::char_traits<T>::length;
    size_t toLen = length(to), fromLen = length(from), delta = toLen - fromLen;
    bool pass = false;
    std::string ns = s;

    size_t newLen = ns.length();

    for (bool estimate : { true, false })
    {
        size_t pos = 0;

        for (; (pos = ns.find(from, pos)) != std::string::npos; pos++)
        {
            if (estimate)
            {
                newLen += delta;
                pos += fromLen;
            }
            else
            {
                ns.replace(pos, fromLen, to);
                pos += delta;
            }
        }

        if (estimate)
            ns.resize(newLen);
    }

    return ns;
}

使い方は、たとえば次のようになります。

std::string dirSuite = replaceAll(replaceAll(relPath.parent_path().u8string(), "\\", "/"), ":", "");
0
TarmoPikaro