Skip to content

Instantly share code, notes, and snippets.

@Zepheus
Created May 3, 2012 19:18
Show Gist options
  • Save Zepheus/2588449 to your computer and use it in GitHub Desktop.
Save Zepheus/2588449 to your computer and use it in GitHub Desktop.
C# Linked Stack Implementation
/* Stack Implementation trough nodes - 2012 Cedric Van Goethem*/
using System;
namespace StackTest
{
public class Stack<T>
{
public bool IsEmpty { get { return first == null; } }
private Node<T> first;
public void Push(T obj)
{
if (first == null)
first = new Node<T>(obj);
else
{
first = new Node<T>(obj, first);
}
}
public T Pop()
{
if (IsEmpty)
throw new Exception("Stack is empty");
else
{
T ell = first.Element;
first = first.Next;
return ell;
}
}
public T Peek()
{
if (IsEmpty)
throw new Exception("Stack is empty");
else
return first.Element;
}
private class Node<E>
{
public E Element { get; private set; }
public Node<E> Next { get; set; }
public Node(E element)
{
Element = element;
}
public Node(E element, Node<E> next)
: this(element)
{
Next = next;
}
}
}
}
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment