4

我需要使用他的实例和变量的偏移量访问一个类的严格私有类 var值。

到目前为止试过这个,检查这个示例类

type
  TFoo=class
   strict private class var Foo: Integer;
   public
   constructor Create;
  end;

constructor TFoo.Create;
begin
  inherited;
  Foo:=666;
end;

//this function works only if I declare the foo var as 
//strict private var Foo: Integer;
function GetFooValue(const AClass: TFoo): Integer;
begin
  Result := PInteger(PByte(AClass) + 4)^
end;

如您所见,函数 GetFooValue 仅在 foo 变量未像类 var 那样声明时才起作用。

问题是我必须如何修改 GetFooValue才能获得Foo声明时的值strict private class var Foo: Integer;

4

2 回答 2

7

访问严格的私有类 var,Class Helper进行救援。

例子 :

type
  TFoo = class
  strict private class var
    Foo : Integer;
  end;

  TFooHelper = class helper for TFoo
  private
    function GetFooValue : Integer;
  public
    property FooValue : Integer read GetFooValue;
  end;

function TFooHelper.GetFooValue : Integer;
begin
  Result:= Self.Foo;  // Access the org class with Self
end;

function GetFooValue( F : TFoo) : Integer;
begin
  Result:= F.GetFooValue;
end;

Var f : TFoo;//don't need to instantiate since we only access class methods

begin
  WriteLn(GetFooValue(f));
  ReadLn;
end.

更新示例以适应问题。

于 2011-12-18T21:34:58.877 回答
2

你真的不能那样做。一个类 var 被实现为一个全局变量,它的内存位置与类 VMT 的位置(类引用指向的位置)没有任何可预测的关系,它位于进程内存的常量数据区域中。

如果您需要从类外部访问此变量,请声明将class property其引用为支持字段的 a。

于 2011-12-18T21:35:24.103 回答