Delphi可以这样吗? (使用动态字符串和记录数组)
type
TStringArray = array of String;
TRecArray = array of TMyRecord;
procedure DoSomethingWithStrings(Strings : TStringArray);
procedure DoSomethingWithRecords(Records : TRecArray);
function BuildRecord(const Value : String) : TMyRecord;
DoSomethingWithStrings(['hello', 'world']);
DoSomethingWithRecords([BuildRecord('hello'), BuildRecord('world')]);
我知道它不会像那样编译。只是想问一下是否有一个技巧可以得到类似的东西。
答案 0 :(得分:6)
如果您不必更改DoSomethingWith*
例程中数组的长度,我建议使用开放数组而不是动态数组,例如:像这样:
procedure DoSomethingWithStrings(const Strings: array of string);
var
i: Integer;
begin
for i := Low(Strings) to High(Strings) do
Writeln(Strings[i]);
end;
procedure DoSomethingWithRecords(const Records: array of TMyRecord);
var
i: Integer;
begin
for i := Low(Records) to High(Records) do
Writeln(Records[i].s);
end;
procedure Test;
begin
DoSomethingWithStrings(['hello', 'world']);
DoSomethingWithRecords([BuildRecord('hello'), BuildRecord('world')]);
end;
请注意参数列表中的array of string
- 不是TStringArray
!有关详细信息,请参阅文章"Open array parameters and array of const",尤其是有关“混淆”的部分。