我正在尝试在C ++中为我拥有的项目创建一个Person对象的数组列表。我是C ++编程的新手,所以我不确定从哪里开始。程序构建成功,但我在一个人将对象插入索引0的行中得到一个奇怪的线程错误。有人请指出我如何将对象插入到一个arraylist的正确方向?谢谢!
这是我的Person类:
#include <iostream>
using namespace std;
class Person
{
public:
string fName;
string lName;
string hometown;
string month;
int day;
Person();
Person(string f, string l, string h, string m, int d);
void print();
int compareName(Person p);
};
Person::Person(string f, string l, string h, string m, int d) {
fName = f;
lName = l;
hometown = h;
month = m;
day = d;
}
void Person::print() {
std::cout << "Name: " << lName << ", " << fName <<"\n";
std::cout << "Hometown: " << hometown <<"\n";
std::cout << "Birthday: " << month << " " << day <<"\n";
}
ArrayList.h
#ifndef __Project2__ArrayList__
#define __Project2__ArrayList__
#include <iostream>
#include "Person.h"
class ArrayList {
public:
ArrayList();
bool empty() const {return listSize ==0;}
int size() const {return listSize;}
int capacity() const {return arrayLength;}
void insert(int index, Person *p); //insertion sort
void output();
protected:
Person* per;
int arrayLength;
int listSize;
};
#endif
ArrayList.cpp:
#include "ArrayList.h"
#include <iostream>
using namespace std;
ArrayList::ArrayList()
{
arrayLength = 10;
listSize = 0;
}
void ArrayList::insert(int index, Person *p)
{
per[index] = *p;
listSize++;
}
void ArrayList::output()
{
for(int i=0; i<listSize; i++)
{
per[i].print();
}
}
答案 0 :(得分:1)
您的指针未初始化,并未指向有效的内存位置。如果您要以这种方式实现数据结构,则需要初始化它,然后检查在插入时是否需要重新分配。
ArrayList::ArrayList(size_t capacity)
{
_capacity = capacity;
_list_size = 0;
// initialize your backing store
_per = new Person[_capacity];
}
您还需要正确处理释放,分配,复制等。