Loading...

Messages

Proposals

Stuck in your homework and missing deadline? Get urgent help in $10/Page with 24 hours deadline

Get Urgent Writing Help In Your Essays, Assignments, Homeworks, Dissertation, Thesis Or Coursework & Achieve A+ Grades.

Privacy Guaranteed - 100% Plagiarism Free Writing - Free Turnitin Report - Professional And Experienced Writers - 24/7 Online Support

Priority Queue

30/10/2020 Client: srikanthkumar Deadline: 10 Days

 


Project Background


Queues process elements in a first-in, first-out (FIFO) order.  But FIFO is not the best order for all problems.  For example, the problem of assisting patients in a hospital, in this case, you will want to service the patients who have the most cirtical injuries before others with less serious needs.  In this project, you will write a abstraction class for a priority queue. 


For the priority queue class that you will write, you can imagine using it for a patient queue at a hopsital.  As each new patient checks into the hospital, the staff assesses the patietn’s injuries and gives them an integer priority rating.  Smaller integers represent greater urgency, for example a patient of priority 1 is more urgent should receive care before  a patient of priority 2.  Once a doctor is ready to see a patient, the patient with the most urgent priority (i.e. with the lowest number rating) is seen first.  However, you will be writing a more general purpose abstraction class.  Therefore, it will work more generally for many types of priority queues.   


The basic design of a priority queue is that, regardless of the order in which you add/enqueue the elements, when you remove/dequeue them, the one with the lowest priority number comes out first, then second-lowest, and so one, with the highest-numbered (i.e. least urgent) item coming out last.  In your implementation of the priority queue, if two or more elements in the queue have the same priority, you should break ties by choosing the element who was placed in the queue first.  This means that if an element in placed in the queue at priority K and there are already other elements in the queue with priority K, your new element should be placed after them.  For example, imagine you have a patient queue for a hospital and patients arrive in this order:



  • "Dolores" with priority 5

  • "Bernard" with priority 4

  • "Arnold" with priority 8

  • "William" with priority 5

  • "Teddy" with priority 5

  • "Ford" with priority 2


If you were to dequeue the patients to process them, they would come out in this order: Ford,


Bernard, Dolores, William, Teddy, Arnold.


A priority queue can internally store its elements in sorted or unsorted order; all the matters is that when the elements are dequeued, they come out in sorted order by priority.  We will be specificying a very specifiy implementation in this project that you most adhere to.  However, it is important to emphasize that abstraction classes can be implemented lots of different ways. 


Priority Queue – Implementations Details


“Under the hood” of the priority queue abstraction could be a C array, a linked list, a vector, and many other options.  We are going to implement with a custom binary search tree.  Later this semester, we are going to learn about a heap data structure (which, by the way, has nothing to do with heap portion of memory).  A priority queue is best and most naturally implemented with a heap.  But we like to do things that are more painful.  So, instead, we will implement with a custom binary search tree.  For example, if add these elements to the queue:



  • "Dolores" with priority 5

  • "Bernard" with priority 4

  • "Arnold" with priority 8

  • "Ford" with priority 2

  • “Jasmine” with priority 6

  • “Carlos” with priority 11


The tree will look like this.  Notice that the BST is is being created based on the priority number not the value. 


treel.jpg


You might be wondering, how do we use a BST if we have priority ties in priority?  We know by now that BST’s require unique values in order to stay in sorted order.  Therefore, let’s say we add these elements to the queue:



  • "Dolores" with priority 5

  • "Bernard" with priority 4

  • "Arnold" with priority 8

  • "Ford" with priority 2

  • “Jasmine” with priority 6

  • “Carlos” with priority 11

  • "William" with priority 8

  • "Teddy" with priority 8


We are going to implement our priority queue by adding a third dimension of linkages.  Ahh!  This is a visual of what it will look like:


tree2.jpg


The data structure you are going to use a binary search tree.  The node structure looks like this:


private.png


Therefore, your nodes keep track of more than a traditional BST node.  First, keep in mind that you will build a BST based on the priority value (which is always an integer).  But the node will also store the values (which are templated, so the priority queue can store integers, doubles, strings, etc.). Next, you will notice lots of node poitners.  First, each node will link to its left and right children.  Second, the nodes will link up to their parent.  Finally, we will handle duplicate priorities by marking the nodes with dup = true and then creating a linked list using the link node pointer.  In every function that searches, inserts, removes, or accesses the custom BST, make sure you take into consideration the duplicate linked list.


The required parts of your tree design include:


-When I do an in-order traversal of your custom BST, I should find that each node has the correct priority and value when I navigate via the left, right, and link NODE*.  My autograder does this so your tree must be built properly.


-Your linked lists must be set up in order, where the first node (the one linked to the tree) is the first duplicate element that was enqueued, the second node is the second duplicate element enqueued, etc.


-Your parent NODE* and dup members are not tested, so you are free to use those however you’d like.  You will need them!  But it is more fun to think about how to design those than for me to overspecifiy. 


-When you are not using a NODE*, make sure you set it nullptr


What about duplicate values?  Are those allowed?  Yes!  No special case there, just allow them to be added, even with the same priority. 


Getting Started


Overall, you should consider writing your functions first without considering duplicates and then test it thoroughly.  Then, add in the linked structure to handle duplicates and test that next.  It should be pretty straight forward to get things working for a priority queue with no duplicates, because the algorithms (and code) are already given to you in lecture.  Therefore, testing that first will be a good first step. 


If you need help getting started, here are some steps to take.


1. Write the constructor, size, and enqueue functions first. Write lots of tests.  Remember that your priority queue is templated, so you will need to test on all primitive types.  At this point, you will only be able to test that it compiles and keeps track of the size properly.  Come up with lots of priority queues at this point.  The simplest tests will be a set of unique priorities, but you should also test lots of duplicate priorities (make sure to test priorities that are duplicate in all spots in the priority queue/BST).  Since the priority queue is a templated class, you will need to provide the type when you call the constructor, like this:  priorityqueue<int> pq;


2. Write the toString The toString method will save the priority queue to a string.  Please notice that the string will have new line characters.  You can do this a couple of ways.  One is to use a string steam and endl.  Another way is to use a string and the new line character.  Some people find it is confusing to recursively build a string, including me.  Instead, consider passing a stream recursively:


void _recursiveFunciton(NODE* node, ostream& output);


You can then use the insertion operator in your recusion to fill the stream:


output << “string” << endl;


Note that when you call the recursive helper function (from toString()), you will pass in a stringstream type.  You can then use one of the stringstream member functions to convert your stringsteam object to a string.  For testing purposes, you might find it useful to pass “cout” in as your ostream instead of the stringstream object.  Also, fun!


Once this is implemented, you should add toString() tests to all your tests. 


Please note that there should be a new line after printing each item in priority queue (including the last one):


“1 value: Ben\n

2 value: Jen\n

2 value: Sven\n

3 value: Gwen\n”

3. Write the clear What is the appropriate traversal for deleting a BST?  Once you determine that, remember that we have a custom BST, so some customization of the traversal will need to take place.  After implementing, add to your tests and also begin your valgrind testing. 


4. Write the equals operator. Write and test!


5. Write the begin and next This is a new idea for our classes.  Read the comments carefully for begin and next, and implement.  You will want to test this thoroughly before moving on.  Memory should not be affected by these two functions.  The basic idea of these function is that when you call begin your object should point curr to the first inorder node.  Then, each time you call next it should return curr’s priority and value and then advance curr to the next in order node.  Here is a potential algorithm for finding the next inorder node in a BST:



  • If the right subtree of the node is not empty, then the next inorder node lies in the right substree. Go to the right substree and return the node with the minimum priority in the right subtree.

  • If the right subtree is empty, then the next inorder node is one of its ancestors. Travel up the tree using the parent pointer until you see a node which is the left child of its parent.  The parent of such a node is the next inorder node.


Remember, we have a custom BST so some modifications of this algorithm will need to be made.   CORRECTION:  The original version of the starter code has begin complexity as O(logn+m), it should actually be O(logn).  Please correct the comments before submitting.  Thanks!  


6. Write the the dequeue This function will need to find the first node in the priority queue, return the value, and delete the memory associated with that node.  Make sure to test this thoroughly (and on all types) before moving on.  Also, make sure to run valgrind on all new dequeue tests.  Make sure your code considers calling deque on an empty priority queue, however, you can decide how to handle it.  


7. Write the peek function.  This function will be an easier version of dequeue.  This function will need to find the first node in the priority queue, return the value, but it will not delete the memory associated with that node.  Consider code reuse setting up a helper function.  Test, test, test!  You can’t really test peek unless you have dequeue set up. 


8. Write the equality operator. Check out the first video in Week 9 for an example of how to write a code that determines if two BSTs are equal.  You will need to modify this code to work for our custom BST.  Don’t forget to test priority queues that are and are not equal.  Also, we will define equal priorityqueues as two priorityqueues as equal if their underlying custom BSTs are equal (same size, same shape, same values/priorities, etc).   


9. Write the destructor. It is good to leave this for last in case you write it wrong.  If you have an incorrect destructor, lots of bizarre segementation faults and error messages.  Once you have it implemented and the rest of your code is well tested, you should re run valgrind on all your tests. 


Testing


Spend some time developing scalable tests, using the Google Tests Framework.  Check out the Google Tests documentation and feel free to experiement with more than just EXPECT_EQ/ASSERT_EQ.  It is really useful to use other containers to test the priority queue.  You may even be able to use the C++ priority queue container!  However, it is tricky to use so I might suggest using vectors and maps instead.  For example, how can you test toString on a priority queue with 100 items?  You definitely don’t want to hard-code that toString to test it.  Instead, fill a map with the same items you are enqueuing.  Then, write a function that can “toString” a map.  This will also be super handy for testing dequeue, front, and next.  You can iterate through your vector or map to ensure that you are getting what you intended.  You might wonder how you can use a map to test a priority queue with duplicate priorities?  You can create a map that maps priorities to a vector of values.  Works really nice! 


Additionally, consider what types of priority queues you should test.  Does it matter what the values are?  Should they be unique?  What about priorities?  When you determine that, it is easier to build lots of priority queues to test on.  Consider adding the myrandom.h header file.


getRoot()


You will notice there is a public member function called getRoot().  It is already written for you and you do not need to edit it and you also do not need to call it.  I am using it in the autograding scripts.  I use to to make sure you have built the custom BST correctly.  This will test that your tree has all the correct nodes (with the correct priorities and correct values).  It will also check that each node has the correct left and right NODE* and correct link NODE*.  It will not check anything else about the linked structure, so you have some flexibility in the design beyond that. 


Requirements



  1. You may not change the API provided. You must keep all private and public member functions and variables as they are given to you.  If you make changes to these, your code will not pass the test cases.  You may not add any private member variables, public member variables, or public member functions.  But you may add private member helper functions (and you should). 

  2. You must have a clean valgrind report when your code is run. Check out the makefile to run valgrind on your code.  All memory allocated (call new) must be freed (call delete).  The test cases run valgrind on your code. 

  3. Your tests.cpp should have 100s of assertions for each public member function. You need to put in significant effort into testing.  Check out the Mimir rubric for how this will be graded. 

  4. No global or static variables.

  5. You can and should use lots of containers in your tests.cpp. You may also use other useful libraries like those that allow for random generations or file reading. 

Homework is Completed By:

Writer Writer Name Amount Client Comments & Rating
Instant Homework Helper

ONLINE

Instant Homework Helper

$36

She helped me in last minute in a very reasonable price. She is a lifesaver, I got A+ grade in my homework, I will surely hire her again for my next assignments, Thumbs Up!

Order & Get This Solution Within 3 Hours in $25/Page

Custom Original Solution And Get A+ Grades

  • 100% Plagiarism Free
  • Proper APA/MLA/Harvard Referencing
  • Delivery in 3 Hours After Placing Order
  • Free Turnitin Report
  • Unlimited Revisions
  • Privacy Guaranteed

Order & Get This Solution Within 6 Hours in $20/Page

Custom Original Solution And Get A+ Grades

  • 100% Plagiarism Free
  • Proper APA/MLA/Harvard Referencing
  • Delivery in 6 Hours After Placing Order
  • Free Turnitin Report
  • Unlimited Revisions
  • Privacy Guaranteed

Order & Get This Solution Within 12 Hours in $15/Page

Custom Original Solution And Get A+ Grades

  • 100% Plagiarism Free
  • Proper APA/MLA/Harvard Referencing
  • Delivery in 12 Hours After Placing Order
  • Free Turnitin Report
  • Unlimited Revisions
  • Privacy Guaranteed

6 writers have sent their proposals to do this homework:

Coursework Help Online
Finance Homework Help
Quick Mentor
Coursework Assignment Help
Peter O.
Writer Writer Name Offer Chat
Coursework Help Online

ONLINE

Coursework Help Online

Hey, I have gone through your job posting and become very much interested in working with you.I can deliver professional content as per your requirements. I am a multi-skilled person with sound proficiency in the English language for being a native writer who worked on several similar projects of content writing and can deliver quality content to tight deadlines. I am available for both online and offline writing jobs with the promise of offering an incredibly responsive and supreme level of customer service. Thanks!

$30 Chat With Writer
Finance Homework Help

ONLINE

Finance Homework Help

Hey, I have gone through your job posting and become very much interested in working with you.I can deliver professional content as per your requirements. I am a multi-skilled person with sound proficiency in the English language for being a native writer who worked on several similar projects of content writing and can deliver quality content to tight deadlines. I am available for both online and offline writing jobs with the promise of offering an incredibly responsive and supreme level of customer service. Thanks!

$30 Chat With Writer
Quick Mentor

ONLINE

Quick Mentor

Hey, I have gone through your job posting and become very much interested in working with you.I can deliver professional content as per your requirements. I am a multi-skilled person with sound proficiency in the English language for being a native writer who worked on several similar projects of content writing and can deliver quality content to tight deadlines. I am available for both online and offline writing jobs with the promise of offering an incredibly responsive and supreme level of customer service. Thanks!

$30 Chat With Writer
Coursework Assignment Help

ONLINE

Coursework Assignment Help

Hey, I have gone through your job posting and become very much interested in working with you.I can deliver professional content as per your requirements. I am a multi-skilled person with sound proficiency in the English language for being a native writer who worked on several similar projects of content writing and can deliver quality content to tight deadlines. I am available for both online and offline writing jobs with the promise of offering an incredibly responsive and supreme level of customer service. Thanks!

$30 Chat With Writer
Peter O.

ONLINE

Peter O.

Hello, I can assist you in writing attractive and compelling content on ganja and its movement globally. I will provide with valuable, informative content that you will appreciate. The content will surely hit your target audience. I will provide you with the work that will be according to the needs of the targeted audience and Google’s requirement.

$30 Chat With Writer

Let our expert academic writers to help you in achieving a+ grades in your homework, assignment, quiz or exam.

Similar Homework Questions

Bsbfim601 assessment 1 answers - 5 stages of family life cycle - Multi touch screens vs mouse driven screens - Power in dc circuits lab report - Cuda c++ Blur - Binding of isaac d4 - Electron configuration of calcium 2 ion - Electrical safety certificate template - Sacrificial anode cathodic protection design calculation - Conflict Managment Dis 4 - The case of the missing homework - Ae engine parts catalogue - 150 pfc dimensions australia - Physical changes and chemical reactions lab report - Chenard v marcel motors - When brothers share a wife pdf - Projectile motion lab answer key - The great gatsby analytical essay - What does a negative percentage error mean - Gerber baby food international marketing - Quotes that show othello is respected - Abiotic and biotic factors worksheet answer key pdf - Formation of interlocking spurs - Patient education on medication safety - Ansi z535 2 2002 - Troy dann outback adventures dvd - A lossless transmission line of electrical length - Answer each question - Week3 - Roc flx craft beverage trail passport - Independent sample t test spss - Dewhurst uk manufacturing ltd - Unsw 2nd hand bookshop - Capstone Project Topic Selection and Approval - Chemistry - Breaking into information security learning the ropes 101 pdf download - Chapter 16 international pay systems - She wet like the ocean pull out the trojan - Sop for bachelor of commerce - Titration of acetic acid with naoh lab report - WEEK 11 SCI - The metric system worksheet answers - Women's health soap note example - Discussion - Juke box love song analysis - Breaksafe 6000 wiring diagram - Enhanced data security model for cloud computing - Sustainability answer - Titration for acetic acid in vinegar lab - How to describe location spread and shape - Lord of the flies pig head - Mk k545whi data socket module rj45 - MGT312T Week 2 Discussion - Acting objectives and tactics list - Advantages and disadvantages of balsa wood - Assignment - Explain the difference between lan and wan firewall rules - 11192 gilbert st garden grove - Lavvie bot litter box price - Apple and its suppliers case study - Circle theorems gcse answers - Bmj open instructions for authors - Marks by linda pastan summary - Ethical Hacking - Warranting Assumptions - List three broad classifications of external or peripheral devices - How fast do clouds move - How to get along with your roommate informative speech - Mindless behavior love story princeton rated r - Jude describes false teachers as - Ida sidha karya company is a family owned - Building electrical circuits lab answers - Forex wave theory pdf - Ancient egypt hierarchy ks2 - 2.95 kg to lbs - Dramatic meaning in drama - Nanda nursing diagnosis list 2020 - Change management courses brisbane - International Accounting 3 Paragraph Essay - Unit 4 Assignment - Queue Problem - Career goals #6 - Charles sturt university timetable - Cover Letter Draft for Peer Review - In this assessment, you will learn about the differences between clinical and personal recovery and therapeutic communication that fosters personal recovery for people who experience psychotic disorders - Macbeth act 5 scene 2 - Soc 110 creating an agenda - The story of sadakothe story of sadako - Los primos ____ bien. - Connect accounting answers chapter 10 - General aviation - Gold coast planning scheme - Strategic quality management implementation plan example - +91-8306951337 love marriage specialist astrologer IN Gwalior - Charge nurse skills checklist - Patient confidentiality 350 words - The iconic hunter boots - Dundee leisure and culture - Delta electronics singapore pte ltd - Sound and fury six years later watch online - Electric field mapping lab report theory