我想TParent
通过使用聚合来构建一个包含多个子对象的类。有些对象是独立的,而有些对象也可以依赖于其他子对象。所有子对象都必须具有对父对象的引用。我还想尽可能使用接口。
为此,我正在使用TInterfacedObject
for theTParent
和TAggregatedObject
for the children。由于孩子和父母都互相了解,我使用弱引用来避免循环依赖。事实上,这种行为已经在TAggregatedObject
. 当我只使用独立的子对象 ( TIndependantChild
) 时,一切正常。
当子对象也依赖于其他子对象时,就会出现问题,请参阅TDependantChild
. 我将另一个子对象的引用存储在 fChild 变量中,该变量标有[weak]
在 Delphi 10 Berlin 中引入的属性。FastMM4 在关机时报告内存泄漏:
访问冲突也会导致System.TMonitor.Destroy
提升,但这仅在使用 FastMM4 且 ReportMemoryLeaksOnShutDown 为 True 时发生。
program Project1;
{$APPTYPE CONSOLE}
uses
FastMM4,
System.SysUtils;
type
IParent = interface
['{B11AF925-C62A-4998-855B-268937EF30FB}']
end;
IChild = interface
['{15C19A4E-3FF2-4639-8957-F28F0F44F8B4}']
end;
TIndependantChild = class(TAggregatedObject, IChild)
end;
TDependantChild = class(TAggregatedObject, IChild)
private
[weak] fChild: IChild;
public
constructor Create(const Controller: IInterface; const AChild: IChild); reintroduce;
end;
TParent = class(TInterfacedObject, IParent)
private
fIndependantChild: TIndependantChild;
fDependantChild: TDependantChild;
public
constructor Create;
destructor Destroy; override;
end;
{ TParent }
constructor TParent.Create;
begin
fIndependantChild := TIndependantChild.Create(Self);
fDependantChild := TDependantChild.Create(Self, fIndependantChild);
end;
destructor TParent.Destroy;
begin
fDependantChild.Free;
fIndependantChild.Free;
inherited;
end;
{ TDependantChild }
constructor TDependantChild.Create(const Controller: IInterface; const AChild: IChild);
begin
inherited Create(Controller);
fChild := AChild;
end;
var
Owner: IParent;
begin
ReportMemoryLeaksOnShutDown := True;
Owner := TParent.Create;
Owner := nil;
end.
我发现,使用 [unsafe] 而不是 [weak] 可以解决问题,但根据 delphi帮助
它([不安全])应该只在极少数情况下在系统单元之外使用。
因此,我不相信我应该[unsafe]
在这里使用,尤其是当我不明白会发生什么时。
那么,这种情况下内存泄漏的原因是什么以及如何克服呢?