2

考虑下面的代码,如果我使用这样的Die类实例会发生什么:

Die d;
d.Roll(20);
d.Roll(15);
d.Roll(30);

在再次为其分配内存之前,我应该还是不应该释放值占用的内存?delete[ ]以前new

死.h

#ifndef DIE_H
#define DIE_H
#include<iostream>
#include<time.h>
using namespace std;


class Die
{
private:
    int number;
    int* values;
    int count;
    void roll();
public:
    Die(){srand(static_cast<int>(time(NULL)));number=0;values=NULL;count=0;}
    void Roll(int n);
    int getNumber()const{return number;}
    void printLastValue();
    void printValues();
    ~Die(){delete [] values;}

};

#endif

死.cpp

#include"die.h"
#include<iostream>
#include<time.h>
using namespace std;

void Die::roll()
{

    number=1+rand()%6;
}

void Die::printLastValue()
{
    cout<<number<<endl;
}

void Die::Roll(int n)
{
    count=n;
    values=new int[count];
    for(int i=0;i<count;i++)
    {
        roll();
        values[i]=number;
    }

}
void Die::printValues()
{
    for(int i=0;i<count;i++)
    {
        cout<<values[i]<<endl;
    }
}

主文件

#include"die.h"
#include<iostream>
using namespace std;

int main()
{
    Die d;
    d.Roll(25);
    d.printValues();
    d.Roll(40);
    d.printValues();
    d.Roll(100);
    d.printValues();
    d.printLastValue();
}
4

3 回答 3

5

是的,如果您Roll多次调用,这将导致内存泄漏。您应该检查值是否存在,如果不是则NULL调用。delete []

编辑:
如下所述,您不必检查 null,您可以安全地在空指针上调用 delete。这只是我过去工作的公司标准中根深蒂固的习惯。

您应该考虑使用 astd::vector而不是数组。通过这样做,您将消除内存泄漏的危险,并且不再需要显式定义析构函数。你可以values用这个替换你的:

std::vector<int> values;

然后在你的 Roll 代码中你可以这样做:

void Die::Roll(int n) {
    count=n;
    values.clear();
    for(int i=0;i<count;i++)
    {
        roll();
        values.push_back(number);
    }
}
于 2012-11-21T20:21:22.467 回答
3

您肯定需要删除它们,因为您正在重新分配 Die::values,从而导致内存泄漏。

编辑:在这种情况下,使用 std::vector 比使用原始数组更好。然后你不需要删除任何东西,只需在 Die::Roll 的开头调用 std::vector::clear 即可。

于 2012-11-21T20:21:32.120 回答
1

是的,它会泄漏内存。当你这样做

值 = 新的 int [len];

它使用数组分配新内存并将值指向新的内存位置。旧内存位置仍然包含旧数据,在分配新数据之前需要删除这些旧数据。

于 2012-11-21T20:23:52.777 回答