什么是C ++中的“ HEAP CORRUPTION”错误?

时间:2019-10-20 12:38:03

标签: c++

我在代码上收到“堆损坏检测:在正常块(#72)之后”错误。这是什么意思?

我不断收到“ CRT检测到应用程序在堆缓冲区结束后写入了内存”。 Visual Studio 2019中代码上的错误,它返回3。但是用gcc编译时,相同的代码没有错误,并返回0。经过数小时的搜索,我发现没有解决方案。

#include <iostream>

    class Vector
    {
    public:
        Vector();
       ~Vector();
        std::size_t size() const { return m_end - m_begin; }
        std::size_t capacity() const { return m_capacity - m_begin; }
        int* begin() const { return m_begin; }
        int* end() const { return m_end; }
        void push_back(const int& );
        Vector(const Vector& obj)
    {
        int* rhs_beg = obj.m_begin;
        int* new_beg = alloc.allocate(size());
        int* temp_new_beg = new_beg;
        for (std::size_t it = 0; it != size(); ++it)
        {
            alloc.construct(temp_new_beg++, *rhs_beg++);
        }
        m_begin = new_beg;
        m_capacity = m_end = temp_new_beg;
    }


    private:
      std::allocator<int> alloc;
      int* m_begin, *m_end, *m_capacity;
          void chk_n_alloc();
      void allocate();
      void free();
};

    Vector::Vector()
    :m_begin(nullptr), m_end(nullptr), m_capacity(nullptr)
    {
    }

    void Vector::free()
    {
       for (auto it = m_end; it != m_begin;)
        alloc.destroy(--it);
       alloc.deallocate(m_begin, size());
    }

    void Vector::chk_n_alloc()
    { 
       if (size() == capacity())
        allocate();
    }

    void Vector::allocate()
    {
       std::size_t n_size;
       int* beg = nullptr;
       if (!size())
        beg = alloc.allocate(1);
       else
                beg = alloc.allocate(size() * 2);
       int* new_begin = beg;
       int* t_begin = m_begin;
       for (int i = 0; i != size(); ++i)
                alloc.construct(new_begin++, std::move(*t_begin++));
       free();
       m_begin = beg;
       m_end = new_begin;
       n_size = size() * 2;
       m_capacity = m_begin + n_size;
    }

      void Vector::push_back(const int& x)
    {
        chk_n_alloc();
        alloc.construct(m_end++, x);
    }

    Vector::~Vector()
    {
        free();
    }

    int main()
    {
       Vector v;

       v.push_back(12);
       v.push_back(10);

    }

仅当我尝试多次调用Vector :: push_back()时,才会发生错误。这是错误代码:“堆损坏检测:在正常块(#72)之后。”

1 个答案:

答案 0 :(得分:1)

这意味着您的程序正在写入不应写入的内存,并覆盖运行时用于管理堆的管理内存。

常见原因是:

  • 在分配的块之外写入。例如。 new[]大小为4的数组,并写入第5或第6(等)项。负偏移量也可以这样做。
  • 释放内存并随后对其进行写入。
  • 取消引用(并写入)指向随机内存位置的未初始化指针

在您的代码中,我会仔细检查您访问的内存,访问的时间以及当时这样做是否安全。您可以使用调试器来跟踪您的代码在做什么,或者使用地址清理器进行构建/运行,以提供有关此类错误的更有意义的信息。