forked from lyuka/data_structure_and_algorithm_using_python
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathpriorityq.py
55 lines (45 loc) · 1.67 KB
/
priorityq.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
# Implemenetion of the unbounded Priority Queue ADT using a Python list
# with new items appended to the end..
class PriorityQueue:
# Create an empty unbounded priority 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, priority ):
# Create a new instance of the storage class and append it to the list.
entry = _PriorityQEntry( item, priority)
self._qList.append( entry )
# Removes and returns the first item in the queue.
def dequeue( self ):
assert not self.isEmpty(), "Cannot dequeue from an empty queue."
# Find the entry with the highest priority.
highest = self._qList[0].priority
h_ndx = 0
for i in range( len(self) ):
if self._qList[i].priority < highest:
highest = self._qList[i].priority
h_ndx = i
entry = self._qList.pop( h_ndx )
return entry.item
# Private storage class for associating queue items with their priority.
class _PriorityQEntry( object ):
def __init__( self, item, priority ):
self.item = item
self.priority = priority
if __name__ == '__main__':
Q = PriorityQueue()
Q.enqueue( 'purple', 5 )
Q.enqueue( 'black', 1 )
Q.enqueue( 'orange', 3 )
Q.enqueue( 'white', 0 )
Q.enqueue( 'green', 1 )
Q.enqueue( 'yellow', 5)
while not Q.isEmpty():
item = Q.dequeue()
print item