引用UNIQUE_PTR的向量

2022-08-26 00:00:00 c++ smart-pointers

我有一个unique_ptr的集合。这里我想获取其中的一些并将它们返回给调用者。调用者只需要读取内容,所以我想使用常量引用。但我不确定如何使用unique_ptr%s执行此操作。

以下是我使用原始指针执行此操作的一些代码:

class entry
{

};
vector<entry*> master;
const vector<entry*> get_entries()
{
    vector<entry*> entries;
    // peusocode, master contains all entries.
    // only some entries are copied, filtered by some predicate
    copy_if(master.begin(), master.end(), back_inserter(entries), ...);
}
如何使用unique_ptr%s执行此操作?我也可以使用shared_ptr,但所有权非常清楚,正如我前面提到的,调用方不需要写访问权限。


解决方案

唯一指针是包含指针的"值类型"。

这样您就可以将其视为值类型。

但它是不可复制的。因此,解决方案可能使用常量引用。

这也不能应用于"向量"类型。因此,解决方案是使用reference_wrapper

//type alias for readability
using uEntry = std::unique_ptr<Entry>;

std::vector<uEntry> entries;

std::vector<std::reference_wrapper<const uEntry>> getEntries() {

    std::vector<std::reference_wrapper<const uEntry>> priventries;

    std::for_each(entries.begin(), entries.end(), [&](const uEntry &e) {
        if (e->a > 5) {
            priventries.push_back(std::cref<uEntry>(e));
        }
    });

    return priventries;
}

int main(int argc, const char * argv[]) {
    entries.push_back(uEntry(new Entry(5)));
    entries.push_back(uEntry(new Entry(7)));
    std::cout << getEntries().size();
    return 0;
}

相关文章