意外功能结束时清理,std等效

时间:2017-07-18 09:07:32

标签: c++ c++14 std

我有一些功能需要使用成员变量(自定义类的向量) 在此函数结束时,需要清除此成员,但它需要在此函数期间保留为成员。 另一个问题是由于程序的自定义错误处理,该功能可能过早结束。但该成员仍需要被清除。

我首先使用std :: move在一个局部变量的开头移动了这个成员。 这工作得很好,但现在证明我需要变量作为成员变量保留到该函数结束。

我使用带有引用的unique_ptr提出了以下解决方案,该引用将在销毁时进行移动。

#include <iostream>
#include <vector>
#include <memory>
using namespace std;

template <class T>
class Clean
{
public:
    Clean(T& clean)
        : m_clean(clean) {}
    ~Clean()
    {
        T destroy = move(m_clean);
    }
private:
    T& m_clean;
};

class A
{
public:
    A()
    {
        m_numbers = { { 3, 1 ,4, 1, 5} };
    }

    void display()
    {
        auto cleanNumbers = make_unique<Clean<vector<int> > >(m_numbers);
        for(int number: m_numbers)
            cout << number << endl;
    }
private:
    vector<int> m_numbers;
};

int main()
{
    A a;
    a.display();
    cout << "should be empty now" << endl;
    a.display();
    return 0;
}

任何更清洁的解决方案也欢迎,但我的实际问题如下 我使用的Clean类是否有std等价物?

Ps:代码片段使用g ++ 5.3.0为我编译

  

g ++ -std = c ++ 14 -o main main.cpp

2 个答案:

答案 0 :(得分:1)

您可以使用shared_ptr的自定义删除器来获取相同的结果。

void A::display()
{
    std::shared_ptr<int> dummy (
        (int*)alloca(sizeof(int)),                 // very fast allocate on stack
        [&](int*) { this->m_numbers.clear(); }
    );

    for(int number: m_numbers)
        cout << number << endl;
}

这是整个代码,编译好,gcc 5.3 -Wall -Wpedantic -march = native -std = c ++ 14

#include <iostream>
#include <vector>
#include <memory>
using namespace std;

class A
{
public:
    A()
    {
        m_numbers = { { 3, 1 ,4, 1, 5} };
    }

    void display()
    {
        std::shared_ptr<int> dummy (
            (int*)alloca(sizeof(int)),
            [&](int*) { this->m_numbers.clear(); }
        );

        for(int number: m_numbers)
            cout << number << endl;
    }
private:
    vector<int> m_numbers;
};

int main()
{
    A a;
    a.display();
    cout << "should be empty now" << endl;
    a.display();
    return 0;
}

答案 1 :(得分:1)

这是我得到的结果,感谢评论和其他问题:

void display()
{
    auto cleanNumber = [](decltype(m_numbers)* numbers){ 
        if(numbers) 
            numbers->clear();
    };
    auto pClean = std::unique_ptr<decltype(m_numbers), decltype(cleanNumber)>(&m_numbers, cleanNumber);
    for(int number: m_numbers)
        cout << number << endl;
}