我有以下两个类:
type
TItemProp = class
private
FItemPropName: string;
FItemPropValue: string;
public
constructor Create(AItemPropName, AItemPropValue: string);
class function GetItemProp(AHTMLElement: OleVariant; AProp: string): TItemProp;
property ItemPropName: string read FItemPropName;
property ItemPropValue: string read FItemPropValue;
end;
TTest = class
private
FName: string;
FProps: TList<TItemProp>;
FTest: TList<TTest>;
public
constructor Create(AName: string);
destructor Destoroy();
property Name: string read FName;
property ItemProps: TList<TItemProp> read FProps write FProps;
property Test: TList<TTest> read FTest write FTest;
end;
以下是TTest类的构造函数和析构函数的代码:
constructor TTest.Create(AName: string);
begin
Self.FName := AName;
Self.FProps := TList<TItemProp>.Create();
Self.FTest := TList<TTest>.Create();
end;
destructor TTest.Destoroy();
var
I: Integer;
begin
for I := 0 to Self.FTest.Count - 1 do
begin
Self.FTest[I].Free;
Self.FTest[I] := nil;
end;
Self.FProps.Free;
Self.FTest.TrimExcess;
Self.FTest.Free;
inherited;
end;
问题是这段代码泄漏了内存。我应该如何重写析构函数以修复内存泄漏?
答案 0 :(得分:7)
第一个问题在这里:
destructor Destroy();
您需要覆盖TObject
中声明的虚拟析构函数。像这样:
destructor Destroy; override;
您的析构函数实现不必要地复杂,也无法破坏FProps
拥有的对象。这个析构函数应该这样写:
destructor TTest.Destroy;
var
I: Integer;
begin
for I := 0 to FTest.Count - 1 do
FTest[I].Free;
FTest.Free;
for I := 0 to FProps.Count - 1 do
FProps[I].Free;
FProps.Free;
inherited;
end;
公开这些列表对象的属性不应该有setter方法。所以,他们应该只读这样的属性:
property ItemProps: TList<TItemProp> read FProps;
property Test: TList<TTest> read FTest;
如果任何机构试图写入这些属性,您的代码将导致泄漏。
如果您使用TObjectList
而不是TList
,您可以将生命周期管理委派给列表类。这往往会导致更简单的代码。
将TList<T>
个实例公开为公共属性会使您的类暴露于滥用状态。此类的客户端可以调用该类的任何公共方法,并可能以您不期望的方式改变列表,并且不希望满足。您应该寻求更多地封装这些对象。
作为一般规则,您应该始终调用类的继承构造函数。在您的情况下,构造函数是TObject
构造函数,什么都不做。但是,最好还是调用它。这样做意味着如果您以后更改继承层次结构,则不会因未调用新父类的构造函数而陷入困境。
constructor TTest.Create(AName: string);
begin
inherited;
FName := AName;
FProps := TList<TItemProp>.Create();
FTest := TList<TTest>.Create();
end;
您到处都在使用Self
。这很好,但它根本不是惯用的。我建议你不要这样做,否则你的代码会非常冗长,不易阅读。
您发布的代码中存在大量错误。您的程序中显然有更多未发布的代码。我非常希望代码也包含错误,所以如果在应用了上述所有更改后仍然存在泄漏,请不要感到惊讶。