Logo

Programming-Idioms

  • Ada
  • JS
  • Fortran
  • Lisp

Idiom #274 Remove all white space characters

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

(defun remove-whitespace (s &aux |t|)
  "Return a copy of S (a sequence) excluding all the characters space, tab, linefeed, return, and formfeed."
  (setf |t|
    (remove-if
        (lambda (item) (find item '(#\Space #\Tab #\Linefeed #\Return #\Page)))
        s))
  |t|)

It would be better to simply return the result of REMOVE-IF, but the assignment requires the variable t. Note that T is a reserved constant in Lisp, so we use t (lowercase). The Lisp reader normally interns symbol names in uppercase, but enclosing the symbol name in vertical bars (pipes) forces the reader to intern the lowercase t. As the Lisp interpreter respects the case of symbol names, t is not the same name as T.
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...