代码之家  ›  专栏  ›  技术社区  ›  Andreas Rejbrand

Delphi设置长度自定义索引

  •  6
  • Andreas Rejbrand  · 技术社区  · 14 年前

    在Delphi中,可以创建类型为

    var
      Arr: array[2..N] of MyType;
    

    它是一个数组 N - 1 从2到n索引的元素。

    如果我们声明一个动态数组

    var
      Arr: array of MyType
    

    以后分配 N 1 元素通过

    SetLength(Arr, N - 1)
    

    然后元素将从0索引到n-2。是否可以将它们从2变为n(比如说)索引?

    4 回复  |  直到 10 年前
        1
  •  15
  •   vcldeveloper    14 年前

    不,在Delphi中,动态数组总是从零开始索引。

        2
  •  0
  •   Ritsaert Hornstra    14 年前

    唯一能模仿这种行为的就是使用指针。

    type
      TMyTypeArr = array [ 0..High(Integer) div sizeof( MyType ) - 1 ] of Mytype;
      PMyTypeArr = ^TMyTypeArr;
    var
      x: ;
      A: PMyTypeArr;
    begin
      SetLength( A, 2 );
      x := PMyTypeArr( @A[ 0 ] ); Dec( PMyType( x ), 2 ); // now [2,4> is valid.
      x[2] := Get_A_MyType();
    end;  
    

    请注意,您会丢失任何范围检查,将其与非零起始数组结合是一个非常糟糕的主意!

        3
  •  0
  •   Wim ten Brink    14 年前

    对! 通过使用一个技巧!
    首先声明一个新类型。我使用记录类型而不是类,因为记录更容易使用。

    type
      TMyArray = record
      strict private
        FArray: array of Integer;
        FMin, FMax:Integer;
        function GetItem(Index: Integer): Integer;
        procedure SetItem(Index: Integer; const Value: Integer);
      public
        constructor Create(Min, Max: integer);
        property Item[Index: Integer]: Integer read GetItem write SetItem; Default;
        property Min: Integer read FMin;
        property Max: Integer read FMax;
      end;
    

    定义了记录类型后,现在需要实现一点代码:

    constructor TMyArray.Create(Min, Max: integer);
    begin
      FMin := Min;
      FMax := Max;
      SetLength(FArray, Max + 1 - Min);
    end;
    
    function TMyArray.GetItem(Index: Integer): Integer;
    begin
      Result := FArray[Index - FMin];
    end;
    
    procedure TMyArray.SetItem(Index: Integer; const Value: Integer);
    begin
      FArray[Index - FMin] := Value;
    end;
    

    声明类型后,现在可以开始使用它:

    var
      Arr: TMyArray;
    begin
      Arr := TMyArray.Create(2, 10);
      Arr[2] := 10;
    

    创建具有特定范围的数组实际上是一个简单的技巧,如果您愿意,您可以使它更灵活。或者将其转换为类。就我个人而言,我更喜欢这些简单类型的记录。

        4
  •  0
  •   Flo    10 年前

    如果您真的需要这个索引,那么您可以编写一个简单的“翻译”函数,它将接收一个从2到n范围内的索引数字,并将返回一个从0到n-2的索引,只需从参数中减去2,例如:

    function translate(i : integer) : integer;
    begin
      result := i - 2;
    end;
    

    你可以这样调用你的数组:

    array[translate(2)]
    

    当然,您还可以在函数中进行范围检查,也许您可以给它取一个较短的名称。

    或者更好的方法是,使用如下函数包装对数组的整个访问:

    function XYZ(i : integer) : MyType;
    begin
      // Do range checking here...
      result := MyArray[i - 2];
    end;
    

    希望这有帮助