StackAllocator.h 2.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899
  1. //
  2. // Created by Ivan Arkhipov on 29.04.2018.
  3. //
  4. #ifndef XOR_LIST_STACKALLOCATOR_H
  5. #define XOR_LIST_STACKALLOCATOR_H
  6. #include <c++/cstddef>
  7. #include <c++/new>
  8. #include <memory.h>
  9. template<typename T, int elements_in_block = 100>
  10. class StackAllocator {
  11. public:
  12. typedef size_t size_type;
  13. typedef ptrdiff_t difference_type;
  14. typedef T *pointer;
  15. typedef const T *const_pointer;
  16. typedef T &reference;
  17. typedef const T &const_reference;
  18. typedef T value_type;
  19. template<typename T1>
  20. struct rebind {
  21. typedef StackAllocator<T1> other;
  22. };
  23. StackAllocator() : last_block_(nullptr) {}
  24. StackAllocator(const StackAllocator &other) : last_block_(nullptr) {};
  25. StackAllocator(StackAllocator &&other) noexcept : last_block_(nullptr) {
  26. other.last_block_ = nullptr;
  27. }
  28. ~StackAllocator() {
  29. for (Block *block = last_block_; block != nullptr;) {
  30. Block *prev_block = block->prev_block_;
  31. delete block;
  32. block = prev_block;
  33. }
  34. }
  35. pointer allocate(size_type n, const void * = nullptr) {
  36. if (n > elements_in_block) {
  37. throw std::bad_alloc();
  38. }
  39. if (!last_block_ || last_block_->end_ + n >= last_block_->block_end_) {
  40. last_block_ = new Block(last_block_);
  41. }
  42. pointer result = last_block_->end_;
  43. last_block_->end_ += n;
  44. return result;
  45. }
  46. void deallocate(pointer p, size_type n) {
  47. // does nothing
  48. }
  49. template<class U, class... Args>
  50. void construct(U *p, Args &&... args) {
  51. ::new((void *) p) U(std::forward<Args>(args)...);
  52. };
  53. template<class U>
  54. void destroy(U *p) {
  55. p->~U();
  56. }
  57. private:
  58. struct Block {
  59. private:
  60. Block() {}
  61. public:
  62. explicit Block(Block *prev_block = nullptr) {
  63. begin_ = reinterpret_cast<pointer>(::operator new(sizeof(value_type) * elements_in_block));
  64. end_ = begin_;
  65. block_end_ = begin_ + elements_in_block;
  66. prev_block_ = prev_block;
  67. }
  68. ~Block() {
  69. delete[] begin_;
  70. }
  71. pointer begin_;
  72. pointer end_;
  73. pointer block_end_;
  74. Block *prev_block_;
  75. };
  76. Block *last_block_;
  77. };
  78. #endif //XOR_LIST_STACKALLOCATOR_H