c ++中的内存泄漏示例(使用异常)

时间:2013-03-12 21:14:05

标签: c++ memory-leaks dynamic-memory-allocation unique-ptr

在C ++ How to program中有一段说:

  

一种常见的编程习惯是分配动态内存,分配地址   那个内存到一个指针,使用指针操纵内存并释放   不再需要内存时删除内存。如果发生异常   成功的内存分配但在执行delete语句之前,内存泄漏   可能会发生。 C ++标准在头文件中提供了类模板unique_ptr   处理这种情况。

任何打开都可以向我介绍一个异常发生且内存泄漏的真实示例like this post

5 个答案:

答案 0 :(得分:9)

一个更微妙的例子。

采用一个包含两个动态分配数组的类的简单实现:

struct Foo {
private:
    int* first;
    int* second;
public:
    Foo()
        : first(new int[10000])
        , second(new int[10000])
    { }

    void Bar() { throw 42; }

    ~Foo()
    {
        delete [] first;
        delete [] second;
    }
};

int main()
{
    Foo f;
    /* more code */
}

现在,如果我们得到一个异常,因为我们在某处调用方法Bar,一切都很好 - 堆栈展开保证f的析构函数被调用。

但是,如果我们在初始化bad_alloc时得到second,则会泄漏first指向的内存。

答案 1 :(得分:6)

void func()
{
    char *p = new char[10];
    some_function_which_may_throw(p);
    delete [] p;
}

如果对some_function_which_may_throw(p)的调用抛出异常,我们会泄漏p指向的内存。

答案 2 :(得分:5)

class MyClass
{
public:
    char* buffer;
    MyClass(bool throwException)
    {
        buffer = new char[1024];
        if(throwException)
            throw std::runtime_error("MyClass::MyClass() failed");
    }

    ~MyClass()
    {
        delete[] buffer;
    }
};

int main()
{
    // Memory leak, if an exception is thrown before a delete
    MyClass* ptr = new MyClass(false);
    throw std::runtime_error("<any error>");
    delete ptr;
}

int main()
{
    // Memory leak due to a missing call to MyClass()::~MyClass()
    // in case MyClass()::MyClass() throws an exception.
    MyClass instance = MyClass(true);
}

另请参阅:C++ : handle resources if constructors may throw exceptions (Reference to FAQ 17.4]

答案 3 :(得分:3)

简单示例

try { 
  int* pValue = new int();
  if (someCondition) { 
    throw 42;
  }
  delete pValue;
} catch (int&) { 

}

答案 4 :(得分:1)

为了得到一个不那么人为的例子,我最近在用给定的分配器对象分配节点时发现了我的代码中的潜在泄漏。

std::unique_ptr<node,alloc_aware> allocate_new_node(allocator& al, const value_type^ v) {
    char* buffer = al.allocate(sizeof(node)); //allocate memory
    return std::unique_ptr<node>(al.construct(buffer, v),{al})); //construct
}

由于缓冲区,如何解决这个问题的方法不太明显,但在我得到它的帮助下:

struct only_deallocate {
    allocator* a;    
    size_type s;
    only_deallocate(allocator& alloc, size_type size):a(&alloc), s(size) {}
    template<class T> void operator()(T* ptr) {a->deallocate(ptr, s);}
    operator alloc_aware() const {return alloc_aware(*a, s);}
};

std::unique_ptr<node,alloc_aware> allocate_new_node(allocator& al, const value_type& v) {
    std::unique_ptr<node, only_deallocate> buf(alloc.allocate(sizeof(node)),{alloc, sizeof(node)});//allocate memory
    alloc.construct(buf.get(), value);
    return std::unique_ptr<node,alloc_aware>(std::move(buf));
}

Compiling Code here