用新字串取代字串段
在 C 中,用另一個字串取代字串的一部分需要組合運算。雖然某些函式庫提供了專用的Replace() 函數來進行直接替換,但您可以使用標準C 函數來實現它:
使用find() 和Replace() 函數
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");
此方法取代第一次出現的子字串“$name” ”與「Somename.」
將所有出現的情況替換為ReplaceAll
要取代所有出現的子字串,您可以擴充 Replace()方法來搜尋並取代字串中的多個實例:
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(); // Adjust start position if 'to' contains 'from' } }
此函數執行將給定字串中所有出現的子字串「from」連續替換為字串「to」。 🎜>
以上是如何在 C 中替換字串的一部分?的詳細內容。更多資訊請關注PHP中文網其他相關文章!