Logo

Programming-Idioms

  • Fortran
  • Dart
  • Erlang
  • VB
  • Perl
  • Java

Idiom #274 Remove all white space characters

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

String t = s.replaceAll("\\s+", "");
import static java.lang.Character.isWhitespace;
import static java.lang.String.valueOf;
import static java.util.stream.Collectors.joining;
String t = s.chars()
    .filter(c -> !isWhitespace(c))
    .mapToObj(c -> valueOf((char) c))
    .collect(joining());
String t = "";
for (char c : s.toCharArray())
    switch (c) {
        case ' ', '\t', '\n', '\r' -> {}
        default -> t = t + c;
    }
import static java.lang.Character.isWhitespace;
String t = "";
for (char c : s.toCharArray())
    if (!isWhitespace(c)) t = t + c;
[Ch || Ch <- "This is a\tstring with\nwhite\rspaces", Ch /= 8, Ch /= 9, Ch /= 10, Ch /= 13, Ch /= 32 ].

using list comprehension
my $t = $s;
$t =~ s/\s*//g;
#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...