从 C 中的字符串中删除前导和尾随空格
C 中的字符串操作通常涉及从字符串中删除不必要的空格。这对于数据清理或文本处理等任务特别有用。
删除前导和尾随空格
要删除前导和尾随空格,可以使用 find_first_not_of和 find_last_not_of 方法。这些函数分别查找字符串中的第一个和最后一个非空白字符。使用这些值,可以获得包含非空白字符的子字符串:
std::string trim(const std::string& str, const std::string& whitespace = " \t") { const auto strBegin = str.find_first_not_of(whitespace); if (strBegin == std::string::npos) return ""; // no content const auto strEnd = str.find_last_not_of(whitespace); const auto strRange = strEnd - strBegin + 1; return str.substr(strBegin, strRange); }
删除单词之间的额外空格
要删除单词之间的额外空格,需要一个额外的步骤。这可以使用 find_first_of、find_last_of、find_first_not_of 和 find_last_not_of 方法以及 substr 将多余的空格替换为单个空格来实现:
std::string reduce(const std::string& str, const std::string& fill = " ", const std::string& whitespace = " \t") { // trim first auto result = trim(str, whitespace); // replace sub ranges auto beginSpace = result.find_first_of(whitespace); while (beginSpace != std::string::npos) { const auto endSpace = result.find_first_not_of(whitespace, beginSpace); const auto range = endSpace - beginSpace; result.replace(beginSpace, range, fill); const auto newStart = beginSpace + fill.length(); beginSpace = result.find_first_of(whitespace, 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中文网其他相关文章!