我正在开发一个多平台项目,我必须动态创建大量控件,这是一些重大计算的结果。更改条件时,我需要删除所有动态创建的控件并进行重新计算,最后再次创建控件。
我通过首先在TTabItem上动态创建TScrollBox(iOFPLayout)来处理这个问题。我通过更改其父级将预定义的标题TToolBar从TTabItem移动到TScrollBox。然后我在TScrollBox上创建TLabel,TEdit和TButton控件的数组。 (我需要与代码中动态创建的控件进行交互)这部分在所有平台上都能正常工作。当我删除控件时,我使用下面的代码。
在Windows x86,x64和OS X上,它似乎工作正常。在Android上,它在第一次创建TScrollBox并使用动态创建的控件填充时工作正常。删除并重新创建TScrollBox后,当在TScrollBox顶部创建TLabel控件的动态数组时,我会在某个随机点出现“访问冲突”或“分段错误(11)”错误。
我觉得这与ARC有关。我已经阅读了关于ARC的所有内容,并测试了我能找到的所有建议,但似乎没有任何效果。有谁看到什么是错的?
procedure TTabbedForm.RemoveOFP();
begin
// Move the ToolBar2 back to TabItem3 so it won’t get destroyed
ToolBar2.Parent := TabItem3;
if Assigned(iOFPLayout) then
begin
// iOFPLayout holds a lot of dynamically created controls
iOFPLayout.Release;
iOFPLayout.DisposeOf;
iOFPLayout := nil;
Application.ProcessMessages;
end;
end;
这是一个完整的最小工作示例。
unit Unit1;
interface
uses
System.SysUtils, System.Types, System.UITypes, System.Classes, System.Variants,
FMX.Types, FMX.Controls, FMX.Forms, FMX.Graphics, FMX.Dialogs, FMX.StdCtrls, FMX.Controls.Presentation, FMX.Layouts;
type
TMainForm = class(TForm)
ToolBar1: TToolBar;
Create: TButton;
Destroy: TButton;
procedure CreateClick(Sender: TObject);
procedure DestroyClick(Sender: TObject);
private
sb: TScrollBox;
lbl: array of TLabel;
end;
var
MainForm: TMainForm;
implementation
{$R *.fmx}
procedure TMainForm.CreateClick(Sender: TObject);
var
i: Integer;
begin
// Create a TScollBox on the MainForm
sb := TScrollBox.Create(Self);
sb.Align := TAlignLayout.Client;
sb.ShowScrollBars := True;
sb.Parent := MainForm;
// Set up the number of labels to put on sb
SetLength(lbl, 1000);
// Create these labels and set some properties
for i := Low(lbl) to High(lbl) do
begin
// On first run on Android devices this causes no problems.
// After DestroyClick has been run after the first CreateClick then
// I get "Access violation / Segmentation fault (11) here.
// It happens after about 800+ labels has been created.
lbl[i] := TLabel.Create(sb);
lbl[i].Text := 'Label ' + IntToStr(i);
lbl[i].Position.X := 10;
lbl[i].Position.Y := i * 20;
lbl[i].Parent := sb;
end;
end;
procedure TMainForm.DestroyClick(Sender: TObject);
begin
if Assigned(sb) then
begin
sb.Release;
sb.DisposeOf;
sb := nil;
end;
end;
end.
答案 0 :(得分:-1)
这个问题的简单答案是在为TScrollBox本身调用DisposeOf之前,为每个动态创建的控件调用DisposeOf,该控件将TScrollBox作为父级。
procedure TMainForm.DestroyClick(Sender: TObject);
var
i: Integer;
begin
if Assigned(sb) then
begin
// First call DisposeOf for each child control
for i := Low(lbl) to High(lbl) do
begin
lbl[i].DisposeOf;
end;
// Then call DisposeOf for the parent control
sb.Release;
sb.DisposeOf;
sb := nil;
end;
end;