C++で、簡単に変える方法は何ですか:
このstd :: string
\t\tHELLO WORLD\r\nHELLO\t\nWORLD \t
に:
HELLOWORLDHELLOWORLD
std::remove_if
および std::string::erase
。
完全に安全なバージョンではありません
s.erase( std::remove_if( s.begin(), s.end(), ::isspace ), s.end() );
より安全なバージョンの場合は、::isspace
と
std::bind( std::isspace<char>, _1, std::locale::classic() )
(関連するすべてのヘッダーを含める)
代替文字タイプで機能するバージョンの場合は、<char>
with <ElementType>
またはテンプレート文字タイプは何でも。もちろん、ロケールを別のロケールに置き換えることもできます。その場合は、ロケールファセットを何度も再作成することの非効率性を回避するように注意してください。
C++ 11では、以下を使用して、より安全なバージョンをラムダにできます。
[]( char ch ) { return std::isspace<char>( ch, std::locale::classic() ); }
C++ 03の場合
struct RemoveDelimiter
{
bool operator()(char c)
{
return (c =='\r' || c =='\t' || c == ' ' || c == '\n');
}
};
std::string s("\t\tHELLO WORLD\r\nHELLO\t\nWORLD \t");
s.erase( std::remove_if( s.begin(), s.end(), RemoveDelimiter()), s.end());
または、C++ 11 lambdaを使用します
s.erase(std::remove_if( s.begin(), s.end(),
[](char c){ return (c =='\r' || c =='\t' || c == ' ' || c == '\n');}), s.end() );
PS。 消去-削除イディオム が使用されます
C++ 11では、std :: bindを使用する代わりにラムダを使用できます。
str.erase(
std::remove_if(str.begin(), str.end(),
[](char c) -> bool
{
return std::isspace<char>(c, std::locale::classic());
}),
str.end());
c ++ 11
std::string input = "\t\tHELLO WORLD\r\nHELLO\t\nWORLD \t";
auto rs = std::regex_replace(input,std::regex("\\s+"), "");
std::cout << rs << std::endl;
/ tmp❮❮❮./play
HELLOWORLDHELLOWORLD
Boost.Algorithm 's erase_all
#include <boost/algorithm/string/erase.hpp>
#include <iostream>
#include <string>
int main()
{
std::string s = "Hello World!";
// or the more expensive one-liner in case your string is const
// std::cout << boost::algorithm::erase_all_copy(s, " ") << "\n";
boost::algorithm::erase_all(s, " ");
std::cout << s << "\n";
}
注:コメントに記載されているとおり:trim_copy
(またはそのいとこtrim_copy_left
およびtrim_copy_right
)文字列の先頭と末尾から空白のみを削除します。
文字ごとにステップ実行し、 string::erase()
を使用すると正常に機能するはずです。
void removeWhitespace(std::string& str) {
for (size_t i = 0; i < str.length(); i++) {
if (str[i] == ' ' || str[i] == '\n' || str[i] == '\t') {
str.erase(i, 1);
i--;
}
}
}