我认为我需要朝正确的方向轻推:

我有两个具有相同数据类型的Tobjectlist,我想将它们串联到一个新的列表中,将list1复制(未修改),然后复制到list2(反向)

type
  TMyListType = TobjectList<MyClass>

var
  list1, list2, resList : TMyListtype

begin
  FillListWithObjects(list1);
  FillListWithOtherObjects(list2);

  list2.reverse

  //Now, I tried to use resList.Assign(list1, list2, laOr),
  //but Tobjectlist has no Assign-Method. I would rather not want to
  //iterate over all objects in my lists to fill the resList
end;

delphi是否有任何内置函数将两个Tobjectlist合并为一个?

最佳答案

使用TObjectList.AddRange()并将OwnsObjects设置为False可以避免LRes中的项目重复释放。

var
  L1, L2, LRes: TObjectList<TPerson>;
  Item: TPerson;

{...}

L1 := TObjectList<TPerson>.Create();
try
  L2 := TObjectList<TPerson>.Create();
  try

    LRes := TObjectList<TPerson>.Create();
    try
      L1.Add(TPerson.Create('aa', 'AA'));
      L1.Add(TPerson.Create('bb', 'BB'));

      L2.Add(TPerson.Create('xx', 'XX'));
      L2.Add(TPerson.Create('yy', 'YY'));

      L2.Reverse;

      LRes.OwnsObjects := False;
      LRes.AddRange(L1);
      LRes.AddRange(L2);

      for Item in LRes do
      begin
        OutputWriteLine(Item.FirstName + ' ' + Item.LastName);
      end;

    finally
      LRes.Free;
    end;

  finally
    L2.Free;
  end;

finally
  L1.Free;
end;

10-06 10:03