interactive-coding-challenges/stacks_queues/stack/stack.py
2016-02-20 08:11:49 -05:00

28 lines
578 B
Python

class Node(object):
def __init__(self, data, next=None):
self.data = data
self.next = next
class Stack(object):
def __init__(self, top=None):
self.top = top
def push(self, data):
node = Node(data, self.top)
self.top = node
def pop(self):
if self.top is None:
return None
data = self.top.data
self.top = self.top.next
return data
def peek(self):
return self.top.data if self.top is not None else None
def is_empty(self):
return self.peek() is None