枚举unique_ptr向量的编译错误

时间:2013-03-04 09:41:04

标签: c++ vector c++11 smart-pointers

void Test()
{
    vector< unique_ptr<char[]>> v;

    for(size_t i = 0; i < 5; ++i)
    {
        char* p = new char[10];
        sprintf_s(p, 10, "string %d", i);
        v.push_back( unique_ptr<char[]>(p) );
    }

    for(auto s : v)                // error is here
    {
        cout << s << endl;
    }
}

error C2248: 'std::unique_ptr<_Ty>::unique_ptr' : cannot access private member declared in class 'std::unique_ptr<_Ty>'

2 个答案:

答案 0 :(得分:10)

unique_ptr不可复制。您应该在基于范围的for循环中使用const的引用。此外,operator <<没有unique_ptr的重载,unique_ptr不能隐式转换为基础指针类型:

for(auto const& s : v)
//       ^^^^^^
{
    cout << s.get() << endl;
//          ^^^^^^^            
}

答案 1 :(得分:1)

正如Andy Prowl unique_ptr指出的那样,不可复制(来自链接的参考页面):

  

unique_ptr既不可复制也不可复制

代码可以避免完全使用unique_ptr,而只需使用std::string代替std::to_string()

void Test()
{
    std::vector< std::string > v;

    for(size_t i = 0; i < 5; ++i)
    {
        v.push_back( std::string("string ") + std::to_string(i) );
    }

    for(auto& s : v)
    {
        std::cout << s << std::endl;
    }
}