-4

我正在编写一些代码来实现对象的深层副本。

这是我的代码:

//---------------------------------------------------------------------------

#pragma hdrstop

#include <tchar.h>
#include <string>
#include <iostream>
#include <sstream>
#include <conio.h>

using namespace std;

//---------------------------------------------------------------------------

class Wheel
{
public:
    Wheel() : pressure(32)
    {
        ptrSize = new int(30);
    }
    Wheel(int s, int p) : pressure(p)
    {
        ptrSize = new int(s);
    }
    ~Wheel()
    {
        delete ptrSize;
    }
    void pump(int amount)
    {
        pressure += amount;
    }
    int getSize()
    {
        return *ptrSize;
    }
    int getPressure()
    {
        return pressure;
    }
private:
    int *ptrSize;
    int pressure;
};

class RacingCar
{
public:
    RacingCar()
    {
        speed = 0;
        *carWheels = new Wheel[4];
    }
    RacingCar(int s)
    {
        speed = s;
    }
    RacingCar(RacingCar &oldObject)
    {
        for ( int i = 0; i < sizeof(carWheels)/sizeof(carWheels[0]); ++i)
        {
            Wheel oldObjectWheel = oldObject.getWheel(i);
            carWheels[i]=new Wheel(oldObjectWheel.getSize(),oldObjectWheel.getPressure());
        }
    }
    void Accelerate()
    {
        speed = speed + 10;
    }
    Wheel getWheel(int id)
    {
        return *carWheels[id];
    }
    void printDetails()
    {
        cout << carWheels[0];
        cout << carWheels[1];
        cout << carWheels[2];
        cout << carWheels[3];
    }
private:
    int speed;
    Wheel *carWheels[4];
};

#pragma argsused
int _tmain(int argc, _TCHAR* argv[])
{

RacingCar testCar;
testCar.printDetails();

RacingCar newCar = testCar;
newCar.printDetails();

getch();
return 0;
}
//---------------------------------------------------------------------------

出于某种原因,我的 C++ 构建器在编译此代码后崩溃。上面是否有任何不正确的内容会导致崩溃。没有编译错误,程序只是崩溃了。

4

2 回答 2

2

问题是:

Wheel *carWheels[4];

*carWheels = new Wheel[4];

这仅分配 4 个轮子carWheels[0]。随着

return *carWheels[id];

如果id不是 0,这将导致未定义的行为,因为如前所述,只有第一个元素是有效指针。

除此之外,代码很糟糕。避免原始指针。C++ 中有更好的选择。使用std::vectorstd::array使用 C 数组的位置,以及使用原始指针的智能指针。

于 2012-08-29T14:27:45.300 回答
0

一般来说,根据我的经验,如果我的编译器/工具崩溃,我可能做错了什么,以至于编译器编写者甚至从未想过要检查它。

追踪这些事情的最好方法是注释掉代码直到它再次工作,然后慢慢地把东西放回去,直到你找到有问题的部分。

作为设计说明,我会说如果是我,我也会实现一个复制构造函数,而不必为使用它Wheel的类编写复杂的深度复制构造函数。RacingCar

于 2012-08-29T14:29:28.953 回答