forked from TARANG0503/DSA-Practice
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathStack_using_linkedList.py
62 lines (54 loc) · 1.42 KB
/
Stack_using_linkedList.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
class Node:
def __init__(self , data):
self.data = data
self.next = None
class Stack:
def __init__(self):
self.head = None
self.count = 0
def push(self,element):
newnode = Node(int(element))
if self.head is None:
self.head = newnode
self.count += 1
self.tail = newnode
else :
newnode.next = self.head
self.head = newnode
self.count += 1
# return self.head
def pop(self):
if self.isEmpty() is True:
print("!!!!!!!!!!!!! stack is empty !!!!!!!!!!!")
return
data = self.head.data
self.head = self.head.next
self.count -= 1
return data
def size(self):
return self.count
def isEmpty(self):
return self.size() == 0
def top(self):
if self.isEmpty() is True:
print("!!!!!!! Stack is empty !!! ")
return
return self.head.data
def reverseStack(s1, s2):
if len(s1) <= 1 :
return
while len(s1) != 1 :
ele = s1.pop()
s2.append(ele)
lastElement = s1.pop()
while len(s2) != 0 :
ele = s2.pop()
s1.append(ele)
reverseStack(s1,s2)
s1.append(lastElement)
n = int(input())
s1 = [int(ele) for ele in input().split()]
s2 = []
reverseStack(s1, s2)
while (len(s1) != 0 ):
print(s1.pop(), end=" ")