cop3503 Project 1 – Templated Linked List Solved

30.00 $

Category: Tags: , ,
Click Category Button to View Your Next Assignment | Homework

You'll get a download link with a: zip solution files instantly, after Payment

Securely Powered by: Secure Checkout

Description

5/5 - (1 vote)

Overview

The purpose of this assignment is for you to write a data structure called a Linked List, which utilizes templates (similar to Java’s generics), in order to store any type of data. In addition, the nature of a Linked List will give you some experience dealing with non-contiguous memory organization. This will also give you more experience using pointers and memory management. Pointers, memory allocation, and understand how data is stored in memory will serve you well in a variety of situations, not just for an assignment like this.

Background

Remember Memory?

Variables, functions, pointers—everything takes up SOME space in memory. Sometimes that memory is occupied for only a short duration (a temporary variable in a function), sometimes that memory is allocated at the start of a program and hangs around for the lifetime of that program. Visualizing memory can be difficult sometimes, but very helpful. You may see diagrams of memory like this:

Or, you may see diagrams like these:

If you are trying to draw out some representation of memory to help you solve a problem, any of these (or some alternative that makes sense to you) will be fine.

Arrays

Arrays are stored in what is called contiguous memory. A contiguous memory block is one that is not interrupted by anything else (i.e. any other memory block). So if you created an array of 5 integers, each of those integers would be located one after the other in memory, with nothing else occupying memory between them. This is true for all arrays, of any data type.

 

All of the data in an application is not guaranteed to be contiguous, nor does it need to be. Arrays are typically the simplest and fastest way to store data, but they have a grand total of zero features. You allocate one contiguous block, but you can’t resize it, removing elements is a pain (and slow), etc.

Consider the previous array. What if you wanted to add another element to that block of memory? If the surrounding memory is occupied, you can’t simply overwrite that with your new data element and expect good results.

 

someArray[5] = 12; // #badIdea                This will almost certainly break.

Other Memory

 

In this scenario, in order to store one more element you would have to:

  1. Create another array that was large enough to store all of the old elements plus the new one
  2. Copy over all of the data elements one at a time (including the new element, at the end)
  3. Free up the old array—no point in having two copies of the data

 

Other Memory Newly available memory Someone else’s memory 10 12

This process has to be repeated each time you want to add to the array (either at the end, or insert in the middle), or remove anything from the array. It can quite costly, in terms of performance, to delete/rebuild an entire array every time you want to make a single change. Cue the Linked List!

Linked List

The basic concept behind a Linked List is simple:

  1. It’s a container that stores its elements in a non-contiguous fashion
  2. Each element knows about the location of the element which comes after it (and possibly before, more on that later)

So instead of a contiguous array, where element 4 comes after element 3, which comes after element 2, etc… you might have something like this:

Each element in the Linked List (typically referred to as a “node”) stores some data, and then stores a reference (a pointer, in C++), so the node which should come next. The First node knows only about the Second node. The Second node knows only about the Third, etc. The Fourth node has a null pointer as its “next” node, indicating that we’ve reached the end of the data.

A real-world example can be helpful as well.

Think about a line of people, with one person at the front of the line. That person might know about the person who is next in line, but no further than that (beyond him or herself, the person at the front doesn’t need to know or care). The second person in line might know about the third person in line, but no further. Continuing on this way, the last person in line knows that there is no one else that follows, so that must be the end. Since no one is behind that person, we must be at the end of the line.

 

So… What are the advantages of storing data like this? When inserting elements to an array, the entire array has to be reallocated. With a Linked List, only a small number of elements are affected. Only elements surrounding the changed element need to be updated, and all other elements can remain unaffected. This makes the Linked List much more efficient when it comes to adding or removing elements.

Now, imagine one person wants to step out of line. If this were an array, all of the data would have to be reconstructed elsewhere. In a Linked List, only three nodes are affected: 1) The person leaving, 2) the person in front of that person, and 3) the person behind that person.

Imagine you are the person at the front of the line. You don’t really need to know or care what happens 10 people behind you, as that has no impact on you whatsoever.

If the 5th person in line leaves, the only parts of the line that should be impacted are the 4th, 5th, and 6th spaces.

  1. Person 4 has a new “next” Person: whomever was behind the person behind them (Person 6).
  2. Person 5 has to be removed from the list.
  3. Person 6… actually does nothing. In this example, a Person only cares about whomever comes after them. Since Person 5 was before Person 6, Person 6 is unaffected. (A Linked List could be implemented with two-way information between nodes—more on that later).

The same thought-process can be applied if someone stepped into line (maybe a friend was holding their place):

In this case, Person 2 would change their “next” person from Person 3, to the new Person being added.

New Guy would have his “next” pointer set to whomever Person 2 was previously keeping track of, Person 3. Because of the ordering process, Person 3 would remain unchanged, as would anyone else in the list (aside from being a bit irritated at the New Guy for cutting in line).

So that’s the concept behind a Linked List. A series of “nodes” which are connected via pointer to one another, and inserting/deleting nodes is a faster process than deleting and reconstructing the entire collection of data. Now, how to go about creating that?

Terminology

Node The fundamental building block of a Linked List. A node contains the data actually being stored in the list, as well as 1 or more pointers to other nodes.

This is typically implemented as a nested class (see below).

Singly-linked A Linked List would be singly-linked if each node only has a single pointer to another node, typically a “next” pointer. This only allows for uni-directional traversal of the data—from beginning to end.
Doubly-linked Each node contains 2 pointers: a “next” pointer and a “previous” pointer. This allows for bi-directional traversal of the data—either from front-to-back or backto-front.
Head A pointer to the first node in the list, akin to index 0 of an array.
Tail A pointer to the last node in the list. May or may not be used, depending on the implementation of the list.

 

Nested Classes

The purpose of writing a class is to group data and functionality. The purpose of a nested class is the same—the only difference is where we declare a nested class. We declare a nested class like this:

class MyClass

{ public:

// Nested class    class NestedClass

{

int x, y, z;       NestedClass();       ~NestedClass();       int SomeFunction();

}; private:

// Data for “MyClass”

NestedClass myData[5];    NestedClass *somePtr;    float values[10];

MyClass();

// Etc…

};

// To create nested classes…

// Use the Scope Resolution Operator

MyClass::NestedClass someVariable;

 

// With a class template…

TemplateClass<float> foo;

TemplateClass<float>::Nested bar;

 

/* NOTE: You can make nested classes private if you wish, to prevent access to them outside of the encapsulating class. */

Additional reading: http://en.cppreference.com/w/cpp/language/nested_types

The nature of the Linked List is that each piece of information knows about the information which follows (or precedes) it. It would make sense, then, to create some nested class to group all of that information together.

 

Benefits and Drawbacks

All data structures in programming (C++ or otherwise) have advantages and disadvantages. There is no “one size fits all” data structure. Some are faster (in some cases), some have smaller memory footprints, and some are more flexible in their functionality, which can make life easier for the programmer.

Linked List versus Array – Who Wins?

Array Linked List
Fast access of individual elements as well as iteration over the entire array Changing the Linked List is fast – nodes can be inserted/removed very quickly
Random access – You can quickly “jump” to the appropriate memory location of an element Less affected by memory fragmentation, nodes can fit anywhere in memory
Changing the array is slow – Have to rebuild the entire array when adding/removing elements No random access, slow iteration
Memory fragmentation can be an issue for arrays—need a single, contiguous block large enough for all of the data Extra memory overhead for nodes/pointers
Slow to access individual elements

Code Structure

As shown above, the Linked List class itself stores very little data: Pointers to the first and last nodes, and a count. In some implementations, you might only have a pointer to the first node, and that’s it. In addition to those data members, your Linked List class must conform to the following interface:

 

 

 

 

 

 

 

 

Function Reference

Accessors
PrintForward Iterator through all of the nodes and print out their values, one a time.
PrintReverse Exactly the same as PrintForward, except completely the opposite.
NodeCount Wait, we’re storing how many things in this list?
FindAll Find all nodes which match the passed in parameter value, and store a pointer to that node in the passed in vector. Use of a parameter like this (passing a something in by reference, and storing data for later use) is called an output parameter.
Find Find the first node with a data value matching the passed in parameter, returning a pointer to that node. Returns null if no matching node found. const and nonconst versions.
GetNode Given an index, return a pointer to the node at that index. Throws an exception if the index is out of range. Const and non-const versions.
Head Returns the head pointer. Const and non-const versions.
Tail Returns the tail pointer. Const and non-const versions.
Insertion Operations
AddHead Create a new Node at the front of the list to store the passed in parameter.
AddTail Create a new Node at the end of the list to store the passed in parameter.
AddNodesHead Given an array of values, insert a node for each of those at the beginning of the list, maintaining the original order.
AddNodesTail Ditto, except adding to the end of the list.
InsertAfter Given a pointer to a node, create a new node to store the passed in value, after the indicated node.
InsertBefore Ditto, except insert the new node before the indicated node.
InsertAt Inserts a new Node to store the first parameter, at the index-th location. So if you specified 4 as the index, the new Node should have 3 Nodes before it. Throws an exception if given an invalid index.
Removal Operations
RemoveHead Deletes the first Node in the list. Returns whether or not the operation was successful.
RemoveTail Deletes the last Node, returning whether or not the operation was successful.
Remove Remove ALL Nodes containing values matching that of the passed-in parameter. Returns how many instances were removed.
RemoveAt Deletes the index-th Node from the list, returning whether or not the operation was successful.
Clear Deletes all Nodes. Don’t forget the node count!
Operators
operator[] Overloaded brackets operator. Takes an index, and returns the index-th node. Throws an exception if given an invalid index. Const and non-const versions.
operator= After listA = listB, listA == listB is true.
operator== Overloaded equality operator. Given listA and listB, is listA equal to listB? What would make one Linked List equal to another? If each of its nodes were equal to the corresponding node of the other. (Similar to comparing two arrays, just with non-contiguous data).
Construction / Destruction
LinkedList() Default constructor. A head, a tail, and a node counter walk into a bar… and get initialized? Wait, that’s not how that one goes… How many nodes in an empty list? What is head pointing to? What is tail pointing to?
Copy Constructor Sets “this” to a copy of the passed in LinkedList. Other list has 10 nodes, with values of 1-10? “this” should too.
~LinkedList() The usual. Clean up your mess. (Delete all the nodes created by the list.)

 

Tips

A few tips for this assignment:

  • Remember the “Big Three” or the “Rule of Three” o If you define one of the three special functions (copy constructor, assignment operator, or destructor), you should define the other two
  • Start small, work one bit of functionality at a time. Work on things like Add() and PrintForward() first, as well as accessors (brackets operator, Head()/Tail(), etc). You can’t really test anything else unless those are working.
  • Refer back to the recommended chapters in your textbook as well as lecture videos for an explanation of the details of dynamic memory allocation o There are a lot of things to remember when memory allocation
  • The debugger is your friend! (You have learned how to use it, right?)
  • Make charts, diagrams, sketches of the problem. Memory is inherently difficult to visualize, find a way that works for you.
  • Don’t forget your node count!
  • Templated-Linked-List.zip