我有以下Delphi代码:
destructor TXX_XXXX.Destroy;
var
i: Integer;
begin
if Assigned(Allocations) then
begin
for i:=0 to (Allocations.Count - 1) do
begin
try
TXX_ALOC(Allocations.Items[i]).Free;
except on Ex:Exception do
begin
OutputDebugString(PChar('Exception Error Message '+ Ex.Message));
end;
end;
end;
// Above code works well - no exception
try
FreeAndNil(Allocations); {Exception Here}
except on E:Exception do
begin
OutputDebugString(PChar('Exception in xxxxxxxxx.pas'+E.Message));
end;
end;
end;
inherited;
end;
模块'Vcl50.bpl'中地址4003AB4的访问冲突。读取地址2980BFFC
我知道通常由
引起的访问冲突但是在我免费之前,我检查了Allocations。如果我放弃异常处理,我的应用程序会抛出一些错误的错误。 分配是一个TObjectList,如果它是一个数组 - 我会怀疑我没有给数组分配一个长度,但它是一个TObjectList。
非常感谢!
答案 0 :(得分:18)
TObjectList
通常负责销毁其内容。在这种情况下,不要释放您的对象。这将在释放TObjectList
时导致访问冲突,因为它会尝试再次释放包含的对象。
对象列表的这种行为可以在其构造函数中控制:
constructor TObjectList.Create(AOwnsObjects: Boolean);
使用此选项指定您是否希望列表拥有其内容(表示:当它从列表中删除或销毁列表时,它会处理销毁项目)。没有参数的构造函数(您可能使用过)将其设置为true
。
您可能只需要一个像TList
这样的列表,但用于存储对象。如果是这种情况,那么创建如下列表:
Allocations:= TObjectList.Create(False);
但是如果你想要自动销毁行为,那么只需删除for循环。对象列表将破坏您的TXX_ALOC
对象。
答案 1 :(得分:7)
通常,清除列表时,您希望从头到尾循环,即
for i := (Allocations.Count - 1) downto 0 do begin
Delete(Allocations.Items[i]);
end
但是在TObjectList的情况下,如果列表拥有对象(默认情况下它),则在销毁容器之前不应释放它们,因为列表将为您执行此操作。在上面的代码中,如果列表拥有对象,则调用Delete也会释放对象。
答案 2 :(得分:3)
您的...有两个选项。
1)如果希望Delphi在从ObjectList中删除对象时自动释放对象,则创建TObjectList,并将aOwnsObjects设置为true。并且在你的析构函数中简单的FreeAndNil是ObjectList本身。然后,这将从列表中删除所有对象并自动释放它们。由于释放ObjectList将自动释放该列表中包含的对象,因此您的代码可能如下所示:
destructor TXX_XXXX.Destroy;
begin
FreeAndNil( Allocations ); //
inherited;
end;
2)创建TObjectList,将aOwnsObjects设置为False,在这种情况下,您必须自己处理释放列表中的对象。您的代码可能看起来像这样:
destructor TXX_XXXX.Destroy;
var
i : Integer;
oObject : TObject;
begin
if Assigned(Allocations) then
begin
for i:= Pred( Allocations.Count ) downto 0 do
begin
// Get a reference to the Object
oObject := TXX_ALOC(Allocations.Items[i]);
// Remove the object from the object list
Allocations.Delete( i );
// Free the Object
FreeAndNil( oObject );
end;
end;
FreeAndNil( Allocations );
inherited;
end;