Logo

Programming-Idioms

  • JS
  • Perl
  • Go

Idiom #221 Remove all non-digits characters

Create string t from string s, keeping only digit characters 0, 1, 2, 3, 4, 5, 6, 7, 8, 9.

import "regexp"
re := regexp.MustCompile("[^\\d]")
t := re.ReplaceAllLiteralString(s, "")
let t = s.replaceAll(/\D/g, '')
t = s.replace(/[^\d]/gm,"");
my $t = $s;
$t =~ s/\D+//g;
($t = $s) =~ tr/0-9//cd;

tr/// translates characters, in this case the complement of 0 through 9 as dictated by the c modifier. The d modifier deletes found but unmatched characters, which will be everything except digits. More efficient than using a regex.
(require '[clojure.string :as str])
(let [s "1a22b3c4de5f6"
      t (str/replace s #"[^\d]" "")]
  (println t))

Uses a regex to get only the digit characters.

New implementation...