如何在 C++ 中替換字串的一部分
本文演示了多種關於在 C++ 中如何替換字串的一部分的方法。
在 C++ 中使用 replace()
方法替換字串的一部分
replace
是 std::string
類的內建方法,它提供了替換字串物件中給定部分的確切功能。該函式的第一個參數列示插入給定字串的起始字元。下一個引數指定應該被新字串替換的子字串的長度。最後,新字串作為第三個引數傳遞。注意,replace()
方法會修改被呼叫的字串物件。
#include <iostream>
#include <string>
using std::cout; using std::cin;
using std::endl; using std::string;
int main(){
string input = "Order $_";
string order = "#1190921";
cout << input << endl;
input.replace(input.find("$_"), 2, order);
cout << input << endl;
return EXIT_SUCCESS;
}
輸出:
Order $_
Order #1190921
使用自定義函式替換 C++ 中的部分字串
或者,你可以構建一個自定義函式,返回一個單獨的修改後的字串物件,而不是在原地進行替換。該函式接收 3 個對字串變數的引用:第一個字串用於修改,第二個子字串用於替換,第三個字串用於插入。在這裡,你可以注意到,由於函式具有移動語義,所以它通過值返回構造的字串。
#include <iostream>
#include <string>
using std::cout; using std::cin;
using std::endl; using std::string;
string Replace(string& str, const string& sub, const string& mod) {
string tmp(str);
tmp.replace(tmp.find(sub), mod.length(), mod);
return tmp;
}
int main(){
string input = "Order $_";
string order = "#1190921";
cout << input << endl;
string output = Replace(input, "$_", order);
cout << output << endl;
return EXIT_SUCCESS;
}
輸出:
Order $_
Order #1190921
使用 regex_replace()
方法替換 C++ 中的部分字串
另一個可以用來解決這個問題的有用方法是利用 regex_replace
;它是 STL 正規表示式庫的一部分,定義在 <regex>
標頭檔案。該方法使用 regex
來匹配給定字串中的字元,並將序列替換為一個傳遞的字串。在下面的例子中,regex_replace
構建了一個新的字串物件。
#include <iostream>
#include <string>
#include <regex>
using std::cout; using std::cin;
using std::endl; using std::string;
using std::regex_replace; using std::regex;
int main(){
string input = "Order $_";
string order = "#1190921";
cout << input << endl;
string output = regex_replace(input, regex("\\$_"), order);
cout << output << endl;
return EXIT_SUCCESS;
}
輸出:
Order $_
Order #1190921
Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.
LinkedIn