我试图找到来自线程的内存泄漏的来源。线程重复触发同步事件,返回一个受线程保护的对象。
我通过调用一个过程在线程内触发这个事件......
procedure TDeskMonThread.DoOnImage(const ID: Integer; const R: TRect;
ABmp: TLockBmp);
begin
FSyncOnImageID:= ID;
FSyncOnImageRect:= R;
FSyncOnImageBmp:= ABmp;
Synchronize(SYNC_OnImage);
end;
3 个私有字段仅用于此目的 - 用于事件触发器的临时存储。TLockBmp
只是一个TBitmap
带有关键部分的包装器,需要锁定和解锁。
然后,同步调用此过程:
procedure TDeskMonThread.SYNC_OnImage;
begin
if Assigned(FOnImage) then //trigger event
FOnImage(FSyncOnImageID, FSyncOnImageRect, FSyncOnImageBmp);
end;
并且此事件由以下过程处理:
procedure TfrmMain.ThreadOnImage(const ID: Integer; const R: TRect;
ABmp: TLockBmp);
var
B: TBitmap;
begin
if ID = FCurMon then begin //Only draw if it's the current monitor
B:= ABmp.Lock;
try
FBmp.Assign(B); //Copy bitmap over
finally
ABmp.Unlock; //Hurry and unlock so thread can continue its work
end;
ResizeBitmap(FBmp, pbView.ClientWidth, pbView.ClientHeight, clBlack);
pbView.Canvas.Draw(0, 0, FBmp); //Draw to canvas
end;
end;
现在我把它缩小到ResizeBitmap
因为当我注释掉那行代码时,我没有得到内存泄漏。这是该程序:
procedure ResizeBitmap(Bitmap: TBitmap; Width, Height: Integer; Background: TColor);
var
R: TRect;
B: TBitmap;
X, Y: Integer;
begin
if assigned(Bitmap) then begin
B:= TBitmap.Create;
try
if Bitmap.Width > Bitmap.Height then begin
R.Right:= Width;
R.Bottom:= ((Width * Bitmap.Height) div Bitmap.Width);
X:= 0;
Y:= (Height div 2) - (R.Bottom div 2);
end else begin
R.Right:= ((Height * Bitmap.Width) div Bitmap.Height);
R.Bottom:= Height;
X:= (Width div 2) - (R.Right div 2);
Y:= 0;
end;
R.Left:= 0;
R.Top:= 0;
B.PixelFormat:= Bitmap.PixelFormat;
B.Width:= Width;
B.Height:= Height;
B.Canvas.Brush.Color:= Background;
B.Canvas.FillRect(B.Canvas.ClipRect);
B.Canvas.StretchDraw(R, Bitmap);
Bitmap.Width:= Width;
Bitmap.Height:= Height;
Bitmap.Canvas.Brush.Color:= Background;
Bitmap.Canvas.FillRect(Bitmap.Canvas.ClipRect);
Bitmap.Canvas.Draw(X, Y, B);
finally
B.Free;
end;
end;
end;
内存泄漏消息让我感到困惑:
x 3
取决于它运行了多长时间,但不是迭代次数。例如,线程可能重复 20 次迭代并显示x 3
或可能重复 10 次迭代并显示x 7
,但我什至找不到与迭代次数相比有多少泄漏的模式。似乎这发生在随机时刻,而不是每次迭代。
所以我开始调试这个ResizeBitmap
程序,但是当我自己运行它时,即使是反复快速地运行,我也从来没有遇到任何内存泄漏。这似乎与从线程重复调用它有关。我知道它正在创建/销毁一个可能不是最佳实践的实例TBitmap
,但是,当它被线程重复调用时,我只会得到这个内存泄漏。我假设有一个隐藏的异常(资源不足),它实际上从未引发异常——因此被困为内存泄漏。
这种内存泄漏可能来自哪里?我该如何预防?