22

在 C++ 中,有什么简单的方法可以转:

这个 std::string

\t\tHELLO WORLD\r\nHELLO\t\nWORLD     \t

进入:

HELLOWORLDHELLOWORLD
4

6 回答 6

35

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><ElementType>或任何您的模板字符类型。当然,您也可以将语言环境替换为不同的语言环境。如果您这样做,请注意避免多次重新创建语言环境方面的低效率。

在 C++11 中,您可以使用以下命令将更安全的版本制作成 lambda:

[]( char ch ) { return std::isspace<char>( ch, std::locale::classic() ); }
于 2013-01-09T10:26:57.980 回答
13

如果 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。使用擦除删除习语

于 2013-01-09T10:34:03.840 回答
4

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 ❮❮❮ ./播放

HELLOWORLDHELLOWORLD
于 2013-01-10T23:11:33.413 回答
4

在 C++11 中,您可以使用 lambda 而不是 std::bind:

str.erase(
    std::remove_if(str.begin(), str.end(), 
        [](char c) -> bool
        { 
            return std::isspace<char>(c, std::locale::classic()); 
        }), 
    str.end());
于 2014-02-10T20:06:30.960 回答
3

你可以使用Boost.Algorithmerase_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_lefttrim_copy_right)仅从字符串的开头和结尾删除空格。

于 2013-01-09T10:32:37.497 回答
2

逐个字符地遍历它并使用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--;
        }
    }
}
于 2013-01-09T10:36:02.790 回答