作业11.12

这篇博客详细介绍了如何从零开始手动实现一个类似于C++标准库中的vector容器,包括构造函数、拷贝构造函数、扩容机制、插入删除元素等关键操作。通过实例展示了如何使用这个自定义的MyVector类进行元素的添加和访问。

摘要生成于 C知道 ,由 DeepSeek-R1 满血版支持, 前往体验 >

仿照系统的vector,手动实现一个my_vector

  1. #include <iostream>
  2. using namespace std;
  3. template<typename T>
  4. class MyVct
  5. {
  6. private:
  7. T * first;
  8. T * last;
  9. T * end;
  10. public:
  11. //构造函数
  12. MyVct(int size = 2) {
  13. first = new T[size];
  14. last = first; //说明为空
  15. end = first + size; //空间尾指针
  16. }
  17. //析构函数
  18. ~MyVct()
  19. {
  20. delete []first;
  21. first = last = end = nullptr;
  22. }
  23. //拷贝构造函数
  24. MyVct(const MyVct &other)
  25. {
  26. //先计算出原空间的尺寸
  27. int len = other.last-other.first;
  28. int size = other.end - other.first;
  29. this->first = new T[size]; //新对象的容量
  30. memcpy(this->first, other.first, len*sizeof(T));
  31. //将该对象的另外两个指针指向对应位置
  32. this->last = this->first+len;
  33. this->end = this->first+size;
  34. }
  35. //判空
  36. bool empty()
  37. {
  38. return this->first == this->last;
  39. }
  40. //判满
  41. bool full()
  42. {
  43. return this->last == this->end;
  44. }
  45. //扩容原则:2倍扩容
  46. void greater()
  47. {
  48. //获取当前容器总容量
  49. int size = this->end - this->first;
  50. //在堆区重新申请一个2倍的空间
  51. T *temp = new T[2*size];
  52. //将原空间数据放到新申请的空间中
  53. memcpy(temp, this->first, size*sizeof (T));
  54. //是否原来的空间
  55. delete []first;
  56. //更新指针指向
  57. first = temp;
  58. //更新其他指针
  59. last = first+size;
  60. end = first + 2*size;
  61. }
  62. //实现尾插
  63. void push_back( const T val)
  64. {
  65. //判断是否已经满了
  66. if(this->full())
  67. {
  68. this->greater(); //如果满了,进行扩容
  69. }
  70. *last = val;
  71. last++;
  72. }
  73. //实现尾删
  74. void pop_back()
  75. {
  76. if(this->empty())
  77. {
  78. return;
  79. }
  80. //尾指针前移
  81. --last;
  82. }
  83. //实现获取第一个元素
  84. T front() const
  85. {
  86. return *first;
  87. }
  88. int size()
  89. {
  90. return end-first;
  91. }
  92. int len()
  93. {
  94. return last-first;
  95. }
  96. T &at(int index)
  97. {
  98. if(index<0 || index>this->len())
  99. {
  100. cout<<"访问越界"<<endl;
  101. }
  102. return first[index];
  103. }
  104. };
  105. int main()
  106. {
  107. MyVct<int> v;
  108. //cout<<v.size()<<endl;
  109. for(int i=1; i<=20; i++)
  110. {
  111. v.push_back(i);
  112. cout<<v.size()<<endl;
  113. }
  114. for(int i=0; i<20; i++)
  115. {
  116. cout<<v.at(i)<<" ";
  117. }
  118. cout<<endl;
  119. return 0;
  120. }

 

评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值

举报

选择你想要举报的内容(必选)
  • 内容涉黄
  • 政治相关
  • 内容抄袭
  • 涉嫌广告
  • 内容侵权
  • 侮辱谩骂
  • 样式问题
  • 其他
点击体验
DeepSeekR1满血版
程序员都在用的中文IT技术交流社区

程序员都在用的中文IT技术交流社区

专业的中文 IT 技术社区,与千万技术人共成长

专业的中文 IT 技术社区,与千万技术人共成长

关注【CSDN】视频号,行业资讯、技术分享精彩不断,直播好礼送不停!

关注【CSDN】视频号,行业资讯、技术分享精彩不断,直播好礼送不停!

客服 返回顶部