文字列から先頭と末尾のスペースを削除する
C の文字列オブジェクトから先頭と末尾のスペースを削除するのは一般的なタスクです。文字列クラスにはこれを実現するためのネイティブ メソッドがありませんが、文字列操作手法を組み合わせることで実現できます。
先頭と末尾のスペースを削除するには、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 中国語 Web サイトの他の関連記事を参照してください。