Similar to the Explode() function offered by Mef, but with a couple of differences (one of which I consider a bug fix):
  type
    TArrayOfString = array of String;
  function SplitString(const aSeparator, aString: String; aMax: Integer = 0): TArrayOfString;
  var
    i, strt, cnt: Integer;
    sepLen: Integer;
    procedure AddString(aEnd: Integer = -1);
    var
      endPos: Integer;
    begin
      if (aEnd = -1) then
        endPos := i
      else
        endPos := aEnd + 1;
      if (strt < endPos) then
        result[cnt] := Copy(aString, strt, endPos - strt)
      else
        result[cnt] := '';
      Inc(cnt);
    end;
  begin
    if (aString = '') or (aMax < 0) then
    begin
      SetLength(result, 0);
      EXIT;
    end;
    if (aSeparator = '') then
    begin
      SetLength(result, 1);
      result[0] := aString;
      EXIT;
    end;
    sepLen := Length(aSeparator);
    SetLength(result, (Length(aString) div sepLen) + 1);
    i     := 1;
    strt  := i;
    cnt   := 0;
    while (i <= (Length(aString)- sepLen + 1)) do
    begin
      if (aString[i] = aSeparator[1]) then
        if (Copy(aString, i, sepLen) = aSeparator) then
        begin
          AddString;
          if (cnt = aMax) then
          begin
            SetLength(result, cnt);
            EXIT;
          end;
          Inc(i, sepLen - 1);
          strt := i + 1;
        end;
      Inc(i);
    end;
    AddString(Length(aString));
    SetLength(result, cnt);
  end;
Differences:
- aMax parameter limits the number of strings to be returned
- If the input string is terminated by a separator then a nominal "empty" final string is deemed to exist
Examples:
SplitString(':', 'abc') returns      :    result[0]  = abc
SplitString(':', 'a:b:c:') returns   :    result[0]  = a
                                          result[1]  = b
                                          result[2]  = c
                                          result[3]  = <empty string>
SplitString(':', 'a:b:c:', 2) returns:    result[0]  = a
                                          result[1]  = b
It is the trailing separator and notional "empty final element" that I consider the bug fix.
I also incorporated the memory allocation change I suggested, with refinement (I mistakenly suggested the input string might at most contain 50% separators, but it could conceivably of course consist of 100% separator strings, yielding an array of empty elements!)