Logo

Programming-Idioms

  • Lisp
  • Pascal
  • Python

Idiom #340 Last character of string

Assign to c the value of the last character of the string s.

Explain the type of c, and what happens if s is empty.

Make sure to properly handle multi-bytes characters.

c = s[-1]

Exception IndexError is raised if s is empty. c is a string of length 1, which may contain any valid unicode character.
LazUtf8
function GetLastUtfCodePoint(const S: String): String;
var
  p: PChar;
  PLen: PtrInt;
begin
  Result := '';
  p := UTF8CodepointStart(PChar(S), Length(S), Utf8Length(S) - 1);
  PLen := UTF8CodepointSize(p);
  Result := p;
  SetLength(Result,PLen);
end; 

var
  s: string;
begin
  c := GetLastUtfCodePoint(s);
end.

This is a solution for UTF8 encoded strings.
The type of c is String, also encoded as UTF-8.
An empty string is returned if s is empty.
{$modeswitch unicodestrings}
c := s[Length(s)];

The {$modeswitch unicodestrings}
makes the compiler use unicodestrings, whereas by default strings are single byte encoded.
c is of type WideChar (2 bytes wide)
If s is empty an exception will be raised, since the code then accesses s[0], and strings are 1-based in Pascal
char c = s[^1];

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