forked from lyuka/data_structure_and_algorithm_using_python
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathlistqueue.py
35 lines (29 loc) · 898 Bytes
/
listqueue.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
# Implementaton of the Queue ADT using a Python list.
class Queue:
# Creates an empty queue.
def __init__( self ):
self._qList = list()
# Returns True if the queue is empty.
def isEmpty( self ):
return len( self ) == 0
# Returns the number of items in the queue.
def __len__( self ):
return len( self._qList )
# Adds the given item to the queue.
def enqueue( self, item ):
self._qList.append( item )
# Removes and returns the first item in the queue.
def dequeue( self ):
assert not self.isEmpty(), "Cannot dequeue from an empty queue."
return self._qList.pop(0)
if __name__ == '__main__':
Q = Queue()
Q.enqueue( 28 )
Q.enqueue( 19 )
Q.enqueue( 45 )
Q.enqueue( 13 )
Q.enqueue( 7 )
for i in range( len(Q) ):
cur_item = Q.dequeue()
print cur_item,
print ''