main.cpp
#include <iostream>
using namespace std;#include "my_array.hpp"//测试自定义数据类型
class Person
{
public:Person (){}Person (string name, int age){this->m_name = name;this->m_age = age;}string m_name;int m_age;
};void printIntArr (MyArr <int> & arr)
{for (int i = 0; i < arr.getSize(); i ++){cout << arr[i] << endl;}
}void test01 ()
{MyArr <int> arr1(5);for (int i = 0; i < 5; i ++){arr1.push_back(i);}cout << "arr1 的打印输出为:" << endl;printIntArr(arr1);cout << "arr1的容量为: " << arr1.getCapacity() << endl;cout << "arr1的大小为: " << arr1.getSize() << endl;MyArr <int> arr2 (arr1);cout << "arr2 的打印输出为:" << endl;printIntArr(arr1);//尾删arr2.pop_back();cout << "arr2的容量为: " << arr2.getCapacity() << endl;cout << "arr2的大小为: " << arr2.getSize() << endl;
};void printPersonArr (MyArr <Person> & arr)
{for (int i = 0; i < arr.getSize(); i ++){cout << "name: " << arr[i].m_name << "age: " << arr[i].m_age << endl;}
}
void test02 ()
{MyArr <Person> arr(10);Person p1("sunwukon", 999);Person p2("hanxin", 20);Person p3("wangwu", 33);Person p4("lisi", 44);Person p5("wangmazi", 55);//将数据插入到数组中arr.push_back(p1);arr.push_back(p2);arr.push_back(p3);arr.push_back(p4);arr.push_back(p5);//打印数组printPersonArr(arr);cout << "arr 的容量是: " << arr.getCapacity() << endl;cout << "arr 的大小是: " << arr.getSize() << endl;
}
int main ()
{// test01();test02();return 0;
}
my_array.hpp
//#pragma once#include <iostream>
using namespace std;template <class T>
class MyArr
{
public:MyArr (int capacity){cout << "有参构造" << endl;this->m_capacity = capacity;this->m_size = 0;this->pAddress = new T[this->m_capacity];}//尾插法void push_back (const T &val){//判断容量是否等于大小if (this->m_capacity == this->m_size){return;}this->pAddress[this->m_size] = val;this->m_size++;}//尾删法void pop_back (){//逻辑删除if (0 == this->m_size){return;}this->m_size--;}//通过下标访问数组中的元素T & operator[] (int index){return this->pAddress[index];}//返回数组容量int getCapacity (){return this->m_capacity;}//返回数组大小int getSize (){return this->m_size;}~MyArr (){cout << "析构构造" << endl;if (this->pAddress != NULL){delete [] this->pAddress;this->pAddress = NULL;}}//拷贝构造MyArr (const MyArr & arr){cout << "拷贝构造" << endl;this->m_capacity = arr.m_capacity;this->m_size = arr.m_size;//this->pAddress = arr.pAddress;//深拷贝this->pAddress = new T[arr.m_capacity];//将arr中的数据都拷贝过来for (int i = 0; i < this->m_size; i ++){this->pAddress[i] = arr.pAddress[i];}}//operator=防止浅拷贝问题MyArr &operator = (const MyArr & arr){cout << "operator = 构造" << endl;//先判断原来堆区是否有数据。如果有先释放if (NULL != this->pAddress){delete[] this->pAddress;this->pAddress = NULL;this->m_capacity = 0;this->m_size = 0;}//深拷贝this->m_capacity = arr.m_capacity;this->m_size = arr.m_size;this->pAddress = new T[arr.m_capacity];for (int i = 0; i < this->m_size; i++){this->pAddress[i] = arr.pAddress[i];}return * this;}
private:T *pAddress; //指针指向堆区开辟的真实数组int m_capacity; //数组容量int m_size; //数组大小
};