我的环境:
C++ Builder XE4
我正在尝试使用
TStringList
使用unique_ptr<>
数组。以下没有给出任何错误:
unique_ptr<int []> vals(new int [10]);
另一方面,以下显示错误:
unique_ptr<TStringList []> sls(new TStringList [10]);
错误是“访问冲突在0x000000000:读取地址0x0000000”。
对于
TStringList
,我不能使用unique_ptr<>
数组吗? 最佳答案
这不是unique_ptr
的问题:您的尝试失败,因为您尝试创建实际的TStringList
对象实例的数组,而不是指向TStringList
实例的指针的数组(有关更多详细信息,请参阅How to create an array of buttons on Borland C++ Builder and work with it?和Quality Central report #78902)。
例如。即使尝试以下操作,也会遇到访问冲突:
TStringList *sls(new TStringList[10]);
(指向大小为
10
并键入TStringList
的动态数组的指针)。您必须管理一个指向
TStringList *
类型的动态数组的指针。使用std::unique_ptr
:std::unique_ptr< std::unique_ptr<TStringList> [] > sls(
new std::unique_ptr<TStringList>[10]);
sls[0].reset(new TStringList);
sls[1].reset(new TStringList);
sls[0]->Add("Test 00");
sls[0]->Add("Test 01");
sls[1]->Add("Test 10");
sls[1]->Add("Test 11");
ShowMessage(sls[0]->Text);
ShowMessage(sls[1]->Text);
无论如何,如果在编译时知道大小,这是一个更好的选择:
boost::array<std::unique_ptr<TStringList>, 10> sls;
(也看看Is there any use for unique_ptr with array?)