我在这段代码中与我的班级的析构函数有关。就是说从来没有分配过,但是应该分配了,我也从来没有自己删除过。以下是代码片段:

#ifdef UNIT_TESTING_CONSTRUCTORS
//Test Constructors
cout << "Test constructors \nConctructor 1:\n";
Doctor testDoc1;
testDoc1.displayPatientArray();
cout << "\nConstructor 2:\n";
Doctor testDoc2(2);
testDoc2.displayPatientArray();
cout << "\nConstructor 3:\n";
//Implement more test cases below:
Doctor testDoc3("Wesley Cates");
testDoc3.displayPatientArray();
cout << "\nConstructor 4:\n";
Doctor testDoc4("Baylor Bishop", 3);
testDoc4.displayPatientArray();
#endif


Doctor::Doctor() : doctorName("need a name."), patientArraySize(100), numOfPatient(0) {
//Create a dynamic array for patients below:
//stringPtr_t* pArray;
stringPtr_t* patientArray;
patientArray = new stringPtr_t[patientArraySize];


和班级:

typedef unsigned short ushort_t;
typedef string* stringPtr_t;
class Doctor {
private:
string doctorName;
stringPtr_t patientArray;
ushort_t patientArraySize;
ushort_t numOfPatient;
public:
Doctor();
Doctor(ushort_t patientArrayCapacity);
Doctor(string docName);
Doctor(string docName, ushort_t patientArrayCapacity);
bool addPatient(string patientName);

void displayPatientArray();
void resizePatientArray(ushort_t newArraySize);

string getDoctorName() const {return doctorName;}
ushort_t getNumOfPatient() const {return numOfPatient;}
ushort_t getArraySize() const {return patientArraySize;}

void setDoctorName(string docName) {doctorName.assign(docName);};
void emptyPatientArray() {numOfPatient = 0;}

Doctor& operator =(const Doctor& docSource);
~Doctor() {delete [] patientArray;}
};

最佳答案

您要在构造函数Doctor::Doctor()中初始化的数组是一个名为“ PatientArray”的局部变量,而不是您随后要在析构函数中删除的类变量。

要解决此问题,请将构造函数更改为此:

Doctor::Doctor() : doctorName("need a name."), patientArraySize(100), numOfPatient(0) {// Create a dynamic array for patients below:// stringPtr_t* pArray;// Delete local variable declaration that was here: stringPtr_t* patientArray;//patientArray = new string[patientArraySize];

关于c++ - 释放的指针没有分配,但看起来像是,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/22137881/

10-11 22:07