Delphi XE2在线帮助(以及Embarcadero DocWiki)在TObjectDictionary
的文档上非常精简(或者我找不到它太愚蠢)。
据我所知,它可以用来存储可以通过字符串键访问的对象实例(基本上可以通过排序的TStringList
但类型安全来实现)。但我对如何实际申报和使用它感到茫然。
任何指针?
答案 0 :(得分:28)
TObjectDictionary
和TDictionary
之间的主要区别在于提供了一种机制来指定添加到集合(字典)中的键和/或值的所有权,因此您不需要担心释放这些物体。
检查此基本样本
{$APPTYPE CONSOLE}
{$R *.res}
uses
Generics.Collections,
Classes,
System.SysUtils;
Var
MyDict : TObjectDictionary<String, TStringList>;
Sl : TStringList;
begin
ReportMemoryLeaksOnShutdown:=True;
try
//here i'm creating a TObjectDictionary with the Ownership of the Values
//because in this case the values are TStringList
MyDict := TObjectDictionary<String, TStringList>.Create([doOwnsValues]);
try
//create an instance of the object to add
Sl:=TStringList.Create;
//fill some foo data
Sl.Add('Foo 1');
Sl.Add('Foo 2');
Sl.Add('Foo 3');
//Add to dictionary
MyDict.Add('1',Sl);
//add another stringlist on the fly
MyDict.Add('2',TStringList.Create);
//get an instance to the created TStringList
//and fill some data
MyDict.Items['2'].Add('Line 1');
MyDict.Items['2'].Add('Line 2');
MyDict.Items['2'].Add('Line 3');
//finally show the stored data
Writeln(MyDict.Items['1'].Text);
Writeln(MyDict.Items['2'].Text);
finally
//only must free the dictionary and don't need to worry for free the TStringList assignated to the dictionary
MyDict.Free;
end;
except
on E: Exception do
Writeln(E.ClassName, ': ', E.Message);
end;
Readln;
end.
检查此链接Generics Collections TDictionary (Delphi)以获取有关如何使用TDictionary
的完整示例(请记住,与TObjectDictionary的唯一区别在于构造函数中指定的键和/或值的所有权,所以相同的概念适用于)