|
| 1 | +package stack |
| 2 | + |
| 3 | +import ( |
| 4 | + "container/list" |
| 5 | +) |
| 6 | + |
| 7 | +// doublyLinkedList is an implementation of stack.Interface using the doubly linked list provided by `container/list` as its underlying storage. |
| 8 | +type doublyLinkedList[T any] struct { |
| 9 | + stack *list.List |
| 10 | +} |
| 11 | + |
| 12 | +func NewDoublyLinkedList[T any]() Interface[T] { |
| 13 | + return &doublyLinkedList[T]{ |
| 14 | + stack: list.New(), |
| 15 | + } |
| 16 | +} |
| 17 | + |
| 18 | +// Push add a value into our stack |
| 19 | +func (dl *doublyLinkedList[T]) Push(val T) { |
| 20 | + dl.stack.PushFront(val) |
| 21 | +} |
| 22 | + |
| 23 | +// Peek return last inserted element(top of the stack) without removing it from the stack |
| 24 | +// If the stack is empty, ErrStackEmpty error is returned |
| 25 | +func (dl *doublyLinkedList[T]) Peek() (T, error) { |
| 26 | + var result T |
| 27 | + if dl.Empty() { |
| 28 | + return result, ErrStackEmpty |
| 29 | + } |
| 30 | + |
| 31 | + element := dl.stack.Front() |
| 32 | + if element == nil { |
| 33 | + return result, ErrStackEmpty |
| 34 | + } |
| 35 | + |
| 36 | + result = element.Value.(T) |
| 37 | + return result, nil |
| 38 | +} |
| 39 | + |
| 40 | +// Pop is return last value that insert into our stack |
| 41 | +// also it will remove it in our stack |
| 42 | +func (dl *doublyLinkedList[T]) Pop() (T, error) { |
| 43 | + var result T |
| 44 | + if dl.Empty() { |
| 45 | + return result, ErrStackEmpty |
| 46 | + } |
| 47 | + |
| 48 | + element := dl.stack.Front() |
| 49 | + if element == nil { |
| 50 | + return result, ErrStackEmpty |
| 51 | + } |
| 52 | + |
| 53 | + dl.stack.Remove(element) |
| 54 | + result = element.Value.(T) |
| 55 | + return result, nil |
| 56 | +} |
| 57 | + |
| 58 | +// Length returns the number of elements in the stack |
| 59 | +func (dl *doublyLinkedList[T]) Len() int { |
| 60 | + if dl == nil { |
| 61 | + return 0 |
| 62 | + } |
| 63 | + return dl.stack.Len() |
| 64 | +} |
| 65 | + |
| 66 | +// Empty returns true if stack has no elements and false otherwise. |
| 67 | +func (dl *doublyLinkedList[T]) Empty() bool { |
| 68 | + if dl == nil { |
| 69 | + return true |
| 70 | + } |
| 71 | + return dl.stack.Len() == 0 |
| 72 | +} |
| 73 | + |
| 74 | +// Clear initializes the underlying storage with a new empty doubly linked list, thus clearing the underlying storage. |
| 75 | +func (dl *doublyLinkedList[T]) Clear() { |
| 76 | + if dl == nil { |
| 77 | + return |
| 78 | + } |
| 79 | + dl.stack = list.New() |
| 80 | +} |
| 81 | + |
| 82 | +// ToSlice returns the elements of stack as a slice |
| 83 | +func (dl *doublyLinkedList[T]) ToSlice() []T { |
| 84 | + var result []T |
| 85 | + if dl == nil { |
| 86 | + return result |
| 87 | + } |
| 88 | + |
| 89 | + for e := dl.stack.Front(); e != nil; e = e.Next() { |
| 90 | + result = append(result, e.Value.(T)) |
| 91 | + } |
| 92 | + return result |
| 93 | +} |
0 commit comments