Logo

Programming-Idioms

  • JS
  • Perl

Idiom #274 Remove all white space characters

Create the string t from the string s, removing all the spaces, newlines, tabulations, etc.

my $t = $s;
$t =~ s/\s*//g;
let t = s.replace(/\s/g,'');

This uses a regex.
\s means "a whitespace character"
g means "replace all occurrences"
#include <iostream>
#include <string>
#include <algorithm>
auto t = s;
t.erase(std::ranges::remove_if(t, [](const char c) { return std::isspace(c); }).begin(),t.end()) ;

New implementation...