4

セカンダリ スレッドから VirtualTreeView データを変更しても安全ですか? はいの場合、クリティカル セクション (または Synchronize メソッド) を使用する必要がありますか?

残念ながら、他のスレッドから VT のデータ レコードに書き込んでいるときに、メイン スレッドがその再描画を呼び出し、この更新によって一度に同じレコードが読み取られることになります。アプリケーションで 2 つのスレッドしか使用していないことを補足します。

何かのようなもの ...

type
  PSomeRecord = ^TSomeRecord;
  TSomeRecord = record
    SomeString: string;
    SomeInteger: integer;
    SomeBoolean: boolean;
end;

...
var FCriticalSection: TRTLCriticalSection; // global for both classes
...

procedure TMyCreatedThread.WriteTheTreeData;
var CurrentData: PSomeRecord;
begin
  EnterCriticalSection(FCriticalSection); // I want to protect only the record

  CurrentData := MainForm.VST.GetNodeData(MainForm.VST.TopNode);

  with CurrentData^ do // I know, the ^ is not necessary but I like it :)
    begin
      SomeString := 'Is this safe ? What if VT will want this data too ?';
      SomeInteger := 777;
      SomeBoolean := True;
    end;

  LeaveCriticalSection(FCriticalSection);

  MainForm.VST.Invalidate;
end;

// at the same time in the main thread VT needs to get text from the same data
// is it safe to do it this way ?

procedure TMainForm.VST_GetText(Sender: TBaseVirtualTree;
  Node: PVirtualNode; Column: TColumnIndex; TextType: TVSTTextType;
  var CellText: string);
var CurrentData: PSomeRecord;
begin
  EnterCriticalSection(FCriticalSection); // I want to protect only the record

  CurrentData := VST.GetNodeData(VST.TopNode);

  with CurrentData^ do
    begin
      case Column of
        0: CellText := SomeString;
        1: CellText := IntToStr(SomeInteger);
        2: CellText := BoolToStr(SomeBoolean);
      end;
    end;

  LeaveCriticalSection(FCriticalSection);
end;

// I'm afraid the concurrent field reading may happen only here with the private VT fields
// FNodeDataSize, FRoot and FTotalInternalDataSize, since I have Node.Data locked by the
// critical sections in the VT events, some of those may be accessed when VT is refreshed
// somehow

function TBaseVirtualTree.GetNodeData(Node: PVirtualNode): Pointer;
begin
  Assert(FNodeDataSize > 0, 'NodeDataSize not initialized.');

  if (FNodeDataSize <= 0) or (Node = nil) or (Node = FRoot) then
    Result := nil
  else
    Result := PByte(@Node.Data) + FTotalInternalDataSize;
end;

アップデート

クリティカル セクションをコードに追加しました。この関数がレコードへのポインターのみを返す場合でも、TMyCreatedThread クラスから GetNodeData を呼び出すのは本当に危険ですか?

どうもありがとう

よろしく

4

1 に答える 1

6

いいえ、特にあなたのやり方です。

VSTビジュアルコントロールです。スレッドMainFormから直接参照している も同様です。GUI コントロールはスレッドセーフではないため、スレッドから直接アクセスしないでください。さらに、スレッドからグローバル変数「MainForm」を参照しています。これは絶対にスレッドセーフではありません。

メイン フォームと別のスレッドの両方からのデータにアクセスする必要がある場合は、VST直接 に保存しないでくださいVST.Node.Data。クリティカル セクションまたはその他のスレッド セーフ メソッドで囲むことができる外部リストに保持し、スレッド内のその外部リストにアクセスする (最初にロックする) か、VSTイベント内のメイン フォームにアクセスします。TLockListロック可能リストの例とTMultipleReadExclusiveWrite同期クラスの例については、Delphi RTL を参照してください。

于 2011-04-07T19:32:36.720 に答える