Array-Based Queues

Summary: This laboratory exercise introduces the concept of the queue abstract data type and provides experience implementing this ADT with an array.

Queues ADT

The reading on queues describes the queue ADT with the following operations:

In this lab, we will focus on arrays of strings, which leads to the following declarations for queues:

#define MAX_QUEUE_SIZE 50
/* size of all queue arrays */

typedef struct {
  int first;
  int last;
  int count;
  char * queueArray[MAX_QUEUE_SIZE];
} stringQueue;

With this framework, the signatures for the various queue operations might be as follows:

void
initialize (stringQueue * queue);

bool
isEmpty (const stringQueue * queue);

bool
isFull (const stringQueue * queue);

bool
enqueue (stringQueue * queue, char * item);
/* returns whether item was successfully enqueued */

char *
dequeue (stringQueue * queue);
/* returns string removed from queue */

char *
front (const stringQueue* queue);

Additional implementation notes are found in the reading on queues.

Exercises

  1. Create a directory for this lab in your directory for this class, and move to the lab directory. For example:
    mkdir queues
    cd queues
  2. Copy the declarations the array-based queue ADT given above to a header file called arrayQueue.h.
    • Remember to cite the origin of your code.
    • Add an #ifndef include "guard" to avoid repeated declarations
  3. Write an implementation of a queue of strings by implementing these operations in a program file called arrayQueue.c.
  4. Perhaps using the Makefile from the previous reading on program management as an example, create a Makefile with a rule for compiling an object file (.o) of your array-based queue. Be sure to include all the relevant file dependencies.
  5. After writing functions, it is important to test your code to ensure that it works as you expected and accounts for unusual cases.
    1. Create a test driver program called testArrayQueue.c with a main function.
    2. Add two more rules to your Makefile: one to compile an object file for your driver, and another to link the two object files. Test that make properly compiles and links all three targets.
    3. Complete thorough tests of each operation in your code.
  6. Add to your queue ADT an additional function print that displays each of the elements of the queue on a separate line (without actually removing any of them from the queue). Add code to your driver program that tests the functionality of the new function.
  7. Frequently we wish to clear the contents of a data structure like a queue.
    1. Implement the following function to remove all the items from the queue.
      void
      clear (stringQueue * queue);
    2. Write tests to verify your clear procedure seems to function properly.
  8. Run AddressSanitizer over your test program to verify it does not have any memory problems. Eliminate any it finds.