Logo

Programming-Idioms

  • Dart
  • Pascal
  • Rust
  • Php

Idiom #168 Trim suffix

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

preg_replace("/{$w}$/u", '', $s);

We can't use rtrim($w, $s), because we want to remove exact suffix value, if it matches. rtrim() would remove all characters from $s located at the end of $s in any order.
uses StrUtils;
if AnsiEndsStr(w, s) then
  t := copy(s, 1, length(s) - length(w))
else
  t :=s;
let t = s.strip_suffix(w).unwrap_or(s);

Removes at most 1 occurrence of w
let t = s.trim_end_matches(w);

This may remove several occurrences of w at the end of s.
using System;
string t = s.TrimEnd(w);

New implementation...
programming-idioms.org