Logo

Programming-Idioms

  • Scala
  • Lisp

Idiom #150 Remove trailing slash

Remove the last character from the string p, if this character is a forward slash /

(defun remove-trailing-slash (string)
  "Return a copy of STRING removing one trailing slash character, if any."
  (let ((position (position #\/ string :from-end t)))
    (if (eql position (1- (length string)))
        (subseq string 0 position)
        (copy-seq string))))

(setf p (remove-trailing-slash p))

We only remove a single slash. To remove all ending slashes one can use STRING-RIGHT-TRIM.

POSITION returns the index of the first matching element. The FROM-END keyword causes it to work in reverse, returning the index of the last matching element.

Though it isn't strictly necessary to make a new copy of strings which don't end in a slash, SUBSEQ already does copy its argument and it seems best to be consistent.
(setf p (string-right-trim "/" p))

This removes all trailing slashes, not only the last one.
p.stripSuffix("/")
(clojure.string/replace p #"/$" "")

Ensure the regex has a $ at the end!

New implementation...
< >
programming-idioms.org