Logo

Programming-Idioms

  • Pascal
  • Java

Idiom #168 Trim suffix

Create string t consisting of string s with its suffix w removed (if s ends with w).

String t = s;
int index = s.lastIndexOf(w);
if (index + w.length() == s.length()) {
    t = s.substring(0, index);
}

Java does not have a native String method for this.

s.lastIndexOf(w) gives the index where w can be found in s starting at the end of s and moving towards the beginning, or -1 if it isn’t there.
int i = s.lastIndexOf(w),
    m = s.length(), n = w.length();
t = i == m - n ? s.substring(0, i) : s;
import static java.util.regex.Pattern.quote;
String t = s.replaceAll(quote(w) + '$', "");
uses StrUtils;
if AnsiEndsStr(w, s) then
  t := copy(s, 1, length(s) - length(w))
else
  t :=s;
using System;
string t = s.TrimEnd(w);

New implementation...
programming-idioms.org