Sane C++ Libraries
C++ Platform Abstraction Libraries
IntrusiveDoubleLinkedList.h
1// Copyright (c) Stefano Cristiano
2// SPDX-License-Identifier: MIT
3#pragma once
4#include "../Foundation/Assert.h"
5
6namespace SC
7{
8template <typename T>
9struct IntrusiveDoubleLinkedList;
10} // namespace SC
11
14
22template <typename T>
24{
25 T* back = nullptr; // has no next
26 T* front = nullptr; // has no prev
27
28 [[nodiscard]] T* peekFront() const { return front; }
29
30 [[nodiscard]] bool isEmpty() const { return peekFront() == nullptr; }
31
32 void clear()
33 {
34 for (T* current = front; current != nullptr;)
35 {
36 T* next = static_cast<T*>(current->next);
37 current->next = nullptr;
38 current->prev = nullptr;
39 current = next;
40 }
41 back = nullptr;
42 front = nullptr;
43 }
44
45 void appendBack(IntrusiveDoubleLinkedList& other)
46 {
47 if (&other == this)
48 return;
49 if (other.front)
50 {
51 SC_ASSERT_DEBUG(other.front->prev == nullptr);
52 queueBackUnchecked(*other.front, *other.back);
53 }
54 other.clear();
55 }
56
57 void queueBack(T& item)
58 {
59 SC_ASSERT_DEBUG(item.next == nullptr and item.prev == nullptr);
60 queueBackUnchecked(item, item);
61 }
62
63 private:
64 void queueBackUnchecked(T& item, T& newBack)
65 {
66 if (back)
67 {
68 back->next = &item;
69 item.prev = back;
70 }
71 else
72 {
73 SC_ASSERT_DEBUG(front == nullptr);
74 front = &item;
75 }
76 back = &newBack;
77 SC_ASSERT_DEBUG(back->next == nullptr);
78 SC_ASSERT_DEBUG(front->prev == nullptr);
79 }
80
81 public:
82 [[nodiscard]] T* dequeueFront()
83 {
84 if (not front)
85 {
86 return nullptr;
87 }
88 T* item = front;
89 front = static_cast<T*>(item->next);
90 if (front)
91 {
92 front->prev = nullptr;
93 }
94 item->next = nullptr;
95 item->prev = nullptr;
96 if (back == item)
97 {
98 back = nullptr;
99 }
100 return item;
101 }
102
103 void remove(T& item)
104 {
105#if SC_CONFIGURATION_DEBUG
106 bool found = false;
107 auto it = front;
108 while (it)
109 {
110 if (it == &item)
111 {
112 found = true;
113 break;
114 }
115 it = static_cast<T*>(it->next);
116 }
117 SC_ASSERT_DEBUG(found);
118#endif
119 if (&item == front)
120 {
121 front = static_cast<T*>(front->next);
122 }
123 if (&item == back)
124 {
125 back = static_cast<T*>(back->prev);
126 }
127
128 T* next = static_cast<T*>(item.next);
129 T* prev = static_cast<T*>(item.prev);
130
131 if (prev)
132 {
133 prev->next = next;
134 }
135
136 if (next)
137 {
138 next->prev = prev;
139 }
140
141 item.next = nullptr;
142 item.prev = nullptr;
143 }
144};
#define SC_ASSERT_DEBUG(e)
Assert expression e to be true.
Definition: Assert.h:82
An Intrusive Double Linked List.
Definition: IntrusiveDoubleLinkedList.h:24