從字串中刪除前導和尾隨空格
在C 中從字串物件修剪前導和尾隨空格是一項常見任務。 string 類別缺乏本地方法來實現此目的,但可以透過字串操作技術的組合來實現。
要刪除前導空格和尾隨空格,可以使用 find_first_not_of 和 find_last_not_of 函數來識別第一個和最後一個字串中的非空白字元。一旦確定了這些位置,就可以使用 substr 函數來提取沒有前導空格和尾隨空格的子字串。
#include <string> std::string trim(const std::string& str) { const auto strBegin = str.find_first_not_of(" "); if (strBegin == std::string::npos) { return ""; } const auto strEnd = str.find_last_not_of(" "); const auto strRange = strEnd - strBegin + 1; return str.substr(strBegin, strRange); }
擴展格式以減少額外空格
要刪除字串中單字之間的多餘空格,需要更全面的方法。這可以透過重複使用 find_first_of、find_last_not_of 和 substr 函數將空格子範圍替換為佔位符字元或字串來實現。
std::string reduce(const std::string& str, const std::string& fill = " ") { auto result = trim(str); auto beginSpace = result.find_first_of(" "); while (beginSpace != std::string::npos) { const auto endSpace = result.find_first_not_of(" ", beginSpace); const auto range = endSpace - beginSpace; result.replace(beginSpace, range, fill); const auto newStart = beginSpace + fill.length(); beginSpace = result.find_first_of(" ", newStart); } return result; }
使用範例
以下程式碼片段示範如何使用這些函數:
const std::string foo = " too much\t \tspace\t\t\t "; const std::string bar = "one\ntwo"; std::cout << "[" << trim(foo) << "]" << std::endl; std::cout << "[" << reduce(foo) << "]" << std::endl; std::cout << "[" << reduce(foo, "-") << "]" << std::endl; std::cout << "[" << trim(bar) << "]" << std::endl;
此程式碼將產生以下輸出:
[too much space] [too much space] [too-much-space] [one two]
以上是如何在 C 中修剪字串的前導和尾隨空格?的詳細內容。更多資訊請關注PHP中文網其他相關文章!