DataStructuresCSharp/C#/Datastructures/Stack.cs

55 lines
1.4 KiB
C#
Raw Normal View History

2022-03-26 22:38:49 +00:00
using C_.Datastructures.Nodes;
namespace C_.Datastructures
{
public class Stack<T>
2022-03-26 22:38:49 +00:00
{
internal StackNode<T>? Head { get; set; }
private int Count { get; set; } = 0;
2022-03-26 22:38:49 +00:00
public static Stack<T> Create(){
2022-03-26 22:38:49 +00:00
//Create a new stack without a head
return new Stack<T>();
2022-03-26 22:38:49 +00:00
}
public static Stack<T> Create(T value){
2022-03-26 22:38:49 +00:00
//Create a new Stack with a head
return new Stack<T>{
Head = StackNode<T>.Create(value, default),
2022-03-26 22:38:49 +00:00
Count = 1
};
}
public void Push(T value){
2022-03-31 20:55:17 +00:00
//Add an Item to the top of the stack
Count++;
2022-03-31 21:05:13 +00:00
Head = StackNode<T>.Create(value, Head);
2022-03-31 20:55:17 +00:00
return;
}
public T? Pop(){
2022-03-31 20:32:42 +00:00
//Take the item off of the top of the stack
T? value = default;
if (Count > 0)
{//Assign the default value if there are any items left in the stack
Count--;
value = Head!.Value;
Head = Head.Next;
2022-03-31 20:55:17 +00:00
if (Count == 0)
{
Head = default;
}
}
return value;
}
public T? Peek(){
2022-03-31 20:32:42 +00:00
//View item on top of the stack
if (Count > 0)
{
return Head!.Value;
}
return default;
}
2022-03-26 22:38:49 +00:00
}
}