テキストの検索と置換

C++:
テキストの検索と置換

How to: (方法)

#include <iostream>
#include <string>
#include <algorithm>

int main() {
    std::string text = "こんにちは、プログラミングの世界へようこそ!";
    std::string from = "プログラミング";
    std::string to = "C++";

    // 検索と置換
    auto start_pos = text.find(from);
    if(start_pos != std::string::npos) {
        text.replace(start_pos, from.length(), to);
    }

    std::cout << text << std::endl;

    return 0;
}

// 出力: こんにちは、C++の世界へようこそ!

Deep Dive (深掘り)

テキストの置換は歴史的にエディタの置換機能でよく用いられてきました。C++では <string><algorithm> ヘッダ内の関数で置換が可能です。find()replace() は基本的なメソッドですが、正規表現を使って複雑なパターンに対応することもできます( <regex> を参照)。std::regex_replace は検索と置換を一つの手順で実行し、より強力です。代替として、Boostライブラリなどのサードパーティライブラリを使用できますが、C++11から正規表現は標準ライブラリの一部になりました。

See Also (関連情報)