Search code examples
delphidlldelphi-2007pchar

In Delphi in my DLL do I have to allocate the return pchar of a function


I have a DLL in which I have a function that returns a pchar. (as to avoid having to use borlndmm) What I was doing originally was casting a string as a pchar and returning that

Result := pChar(SomeFuncThatReturnsString)

But I was getting expected results 90% of the time and the other times I would get back nothing.

I then got to thinking that I needed to allocate the memory for the pchar and that doing it my original way was having a pchar point to memory that was not always going to be what was there when the function was called originally. So I now have this

Result := StrAlloc(128);
Strcopy(Result,PAnsiChar(Hash(Hash(Code,1,128),2,128)));

But this leaves me with having to clean up the allocated memory on the programs end which I do with

StrDispose(Pstr);    

So the $64 question is: Do I have to allocate memory when returning a PChar from a function inside a DLL or can I just cast it to a PChar?


Solution

  • The typical approach to this issue is to have the app allocate the memory and then pass it to the DLL to fill in (even better if the DLL allows the app to query how much memory it needs to allocate so it does not have to over-allocate memory):

    function GetAString(Buffer: PChar; BufLen: Integer): Integer; stdcall;
    var
      S: String;
    begin
      S := SomeFuncThatReturnsString;
      Result := Min(BufLen, Length(S));
      if (Buffer <> nil) and (Result > 0) then
        Move(S[1], Buffer^, Result * SizeOf(Char));
    end;
    

    This allows the app to decide when and how to allocate the memory (stack versus heap, reusing memory blocks, etc):

    var
      S: String;
    begin
      SetLength(S, 256);
      SetLength(S, GetAString(PChar(S), 256));
      ...
    end;
    
    var
      S: String;
    begin
      SetLength(S, GetAString(nil, 0));
      if Length(S) > 0 then GetAString(PChar(S), Length(S));
      ...
    end;
    
    var
      S: array[0..255] of Char;
      Len: Integer;
    begin
      Len := GetAString(S, 256);
      ...
    end;
    

    If this is not an option for you, then you need to have the DLL allocate the memory, return it to the app for use, and then have the DLL export an additional function that the app can call when it is done to pass the pointer back to the DLL for freeing:

    function GetAString: PChar; stdcall;
    var
      S: String;
    begin
      S := SomeFuncThatReturnsString;
      if S <> '' then
      begin
        Result := StrAlloc(Length(S)+1);
        StrPCopy(Result, S);
      end else
        Result := nil;
    end;
    
    procedure FreeAString(AStr: PChar); stdcall;
    begin
      StrDispose(AStr);
    end;
    
    var
      S: PChar;
    begin
      S := GetAString;
      if S <> nil then
      try
        ...
      finally
        FreeAString(S);
      end;
    end;