我正在尝试使StringGrid中的文本居中。经过研究,我想出了其他人在此处发布的此函数,该函数在DefaultDraw:False上使用时应该起作用。

procedure TForm1.StringGrid2DrawCell(Sender: TObject; ACol, ARow: Integer;
 Rect: TRect; State: TGridDrawState);
var
  S: string;
  SavedAlign: word;
begin
  if ACol = 1 then begin  // ACol is zero based
   S := StringGrid1.Cells[ACol, ARow]; // cell contents
    SavedAlign := SetTextAlign(StringGrid1.Canvas.Handle, TA_CENTER);
    StringGrid1.Canvas.TextRect(Rect,
      Rect.Left + (Rect.Right - Rect.Left) div 2, Rect.Top + 2, S);
    SetTextAlign(StringGrid1.Canvas.Handle, SavedAlign);
  end;
end;


但是,如果我设置DefaultDraw:False,则StringGrid会出现故障。

函数中用文本填充StringGrid的行是

Sg.RowCount := Length(arrpos);
for I := 0 to (Length(arrpos) - 1) do
 begin
   sg.Cells[0,i] := arrpos[i];
   sg.Cells[1,i] := arrby[i];
 end;


arrpos和arrby是字符串数组。 sg是StringGrid。

之后,我需要执行文本以使其出现在单元格的中央。

更新

对于那些遭受类似问题困扰的人,这段代码的关键问题之一是if语句

if ACol = 1 then begin


该行表示它将仅运行第1列的代码,例如第二列,因为StringGrid基于0。您可以安全地删除if语句,它将在无需禁用默认图形的情况下执行并运行。

最佳答案

这在我的测试中有效

procedure TForm1.sgDrawCell(Sender: TObject; ACol, ARow: Integer; Rect: TRect;
  State: TGridDrawState);
var
  LStrCell: string;
  LRect: TRect;
begin
  LStrCell := sg.Cells[ACol, ARow]; // grab cell text
  sg.Canvas.FillRect(Rect); // clear the cell
  LRect := Rect;
  LRect.Top := LRect.Top + 3; // adjust top to center vertical
  // draw text
  DrawText(sg.Canvas.Handle, PChar(LStrCell), Length(LStrCell), LRect, DT_CENTER);
end;

10-08 15:52