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 とともに使用して、余分なスペースを 1 つのスペースに置き換えることで実現できます。
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 中国語 Web サイトの他の関連記事を参照してください。