2

我在 Borland Delphi 工作,我在 Borland C++ Builder 中有几行代码。我想将这些行翻译成 Delphi 源代码。

unsigned char *buf=NULL;
buf=new unsigned char[SPS*2];
for (i=0; i<SPS*2; i++)
   buf[i]=2;

…………

answers=buf[2];

我想用这个 buf 分配一个 PCHar 值;

a:PCHar;
a:=buf.
4

2 回答 2

6

事实上,在:

unsigned char *buf=NULL;
buf=new unsigned char[SPS*2];

第一个赋值*buf=NULL可以翻译为buf := nil但它是纯死代码,因为buf指针内容会立即被new函数覆盖。

所以你的 C 代码可以这样翻译:

var buf: PAnsiChar;
    i: integer;
begin
  Getmem(buf,SPS*2);
  for i := 0 to SPS*2-1 do
    buf[i] := #2;
...
  Freemem(buf);
end;

更符合 Delphi 习惯的版本可能是:

var buf: array of AnsiChar;
    i: integer;
begin
  SetLength(buf,SPS*2);
  for i := 0 to high(buf) do
    buf[i] := #2;
  ...
  // no need to free buf[] memory (it is done by the compiler)
end;

或直接:

var buf: array of AnsiChar;
    i: integer;
begin
  SetLength(buf,SPS*2);
  fillchar(buf[0],SPS*2,2);
  ...
  // no need to free buf[] memory (it is done by the compiler)
end;
于 2011-11-01T12:16:38.797 回答
1

或许是这样的:

var
  buf: array of AnsiChar;
  a: PAnsiChar;
...
SetLength(buf, SPS*2);
FillChar(buf[0], Length(buf), 2);
a := @buf[0];

不知道是什么answers,但是,假设它char在你的 C++ 代码中,那么你会这样写:

var
  answers: AnsiChar;
...
answers := buf[2];
于 2011-11-01T12:17:35.183 回答