2

我有一个多线程的外部应用程序,这个应用程序正在使用我的自定义 dll 从那个线程做一些事情。
在这个 dll 中,我有 2 个函数可以读取和写入一些数据到TList.
我需要这些线程可以自由读取该列表,但一次只能写入一个,其余的必须等待他们的时间写入。

我的问题:
- BDS 2006 中是否有一个TList具有 TMREWSync 功能的组件,或者
- 也许您知道我可以在我的应用程序中使用的任何免费的第三方组件,或者
- 也许您有一些TList可以执行上述操作的自定义代码。

编辑:我需要类似TThreadList.LockList但仅用于写入该列表的东西。

谢谢你的帮助。

4

1 回答 1

2

TMultiReadExclusiveWriteSynchronizer将 a和TList以与 相同的方式放在一起很简单TThreadList。如果您已经知道这些类是如何工作的,那么您将能够按照下面的代码进行操作。

type
  TReadOnlyList = class
  private
    FList: TList;
    function GetCount: Integer;
    function GetItem(Index: Integer): Pointer;
  public
    constructor Create(List: TList);
    property Count: Integer read GetCount;
    property Items[Index: Integer]: Pointer read GetItem;
  end;

  TMREWList = class
  private
    FList: TList;
    FReadOnlyList: TReadOnlyList;
    FLock: TMultiReadExclusiveWriteSynchronizer;
  public
    constructor Create;
    destructor Destroy; override;
    function LockListWrite: TList;
    procedure UnlockListWrite;
    function LockListRead: TReadOnlyList;
    procedure UnlockListRead;
  end;

{ TReadOnlyList }

constructor TReadOnlyList.Create(List: TList);
begin
  inherited Create;
  FList := List;
end;

function TReadOnlyList.GetCount: Integer;
begin
  Result := FList.Count;
end;

function TReadOnlyList.GetItem(Index: Integer): Pointer;
begin
  Result := FList[Index];
end;

{ TMREWList }

constructor TMREWList.Create;
begin
  inherited;
  FList := TList.Create;
  FReadOnlyList := TReadOnlyList.Create(FList);
  FLock := TMultiReadExclusiveWriteSynchronizer.Create;
end;

destructor TMREWList.Destroy;
begin
  FLock.Free;
  FReadOnlyList.Free;
  FList.Free;
  inherited;
end;

function TMREWList.LockListWrite: TList;
begin
  FLock.BeginWrite;
  Result := FList;
end;

procedure TMREWList.UnlockListWrite;
begin
  FLock.EndWrite;
end;

function TMREWList.LockListRead: TReadOnlyList;
begin
  FLock.BeginRead;
  Result := FReadOnlyList;
end;

procedure TMREWList.UnlockListRead;
begin
  FLock.EndRead;
end;

这是可能的最基本的实现。如果你希望你可以添加更多的花里胡哨的方式TThreadList

于 2013-03-04T12:25:21.560 回答