SlideShare a Scribd company logo
1 of 25
Download to read offline
Introduction and Background
In recent lectures we discussed using arrays, classes and interfaces (see newly added course
notes if you want to read ahead about interfaces – we will cover them this week in lecture). In
this lab you will utilize all of these topics to build a simple yet useful new class. Consider the
following interface describing the methods for a simple double ended queue (or deque):
public interface SimpleDeque
{
public void addFront(Object X); // Add Object X at front of list
public void addRear(Object X); // Add Object X at rear of list
// If array is full, add methods should do nothing
public Object removeFront(); // Remove and return Object X from
// front of list
public Object removeRear(); // Remove and return Object X from
// rear of list
// If array is empty, remove methods should return null
public boolean isEmpty(); // Return true if the list is empty
// Return false otherwise
}
A queue has the behavior such that items are added at the rear and removed from the front,
thereby giving a First In First Out (FIFO) access to the items added and subsequently removed
from the list. No other manipulations of the data are permitted (for example, we cannot add or
remove anywhere in the middle). Looking at it "in reverse", we could add new items at the
front of the queue and remove them from the rear. This is still providing FIFO access, but just
from a different point of view. Now consider both adding and removing items at the rear of the
list (without ever accessing the front). This is called stack access and gives us Last In First Out
(LIFO) access to the items (the data is removed in reverse order). The same behavior occurs if
we both add and remove at the front without ever accessing the rear of the list.
The simple deque above is expressed as an interface rather than a class, because we are not
describing the data or how it is represented -- we are simply describing its access behavior.
However, to actually build a working deque, we need a class that implements the interface
above. For example:
public class MyDeque implements SimpleDeque
{
Object [] theData;
int numItems;
public MyDeque(int maxItems)
{
theData = new Object[maxItems];
numItems = 0;
}
// Implementation of the five methods of SimpleDeque, plus
// perhaps other methods as well
}
Note that the implementation above uses an array of Object to store the items in the deque. Since
Object is the base class to all other Java classes, an array of Object can thus be used to store any
Java class types (we can even store primitive values if we utilize their wrapper classes). Also
note that nothing in the SimpleDeque interface requires an array to be used to store the data. You
will see in your CS 0445 course that a linked list may in fact be a better implementation than an
array in this case. However, for this implementation we will use an array because it is simple and
easy to understand.
Another important thing to notice about the partial implementation above is that the size of the
array used is not equal to the number of items in the deque. The number of items in the deque is
maintained in the separate int variable numItems. Since Java array sizes are fixed once the array
object is created, to avoid having to recreate new array objects with each add or removal we
simply allocate an array that is some reasonable size (specified by the parameter in the
constructor) when we create the deque. At that time we also set numItems to zero since there are
no actual items in the deque. We then increment numItems with each addition and decrement
numItems with each removal. This is the same maintenance technique used in the MovieDB
class of Lab 7. As we discussed in lecture, and as you did in Assignment 3, when the array fills
we could copy the data into a new, larger array. However, in this case, to keep things simple, we
will not resize the array and simply not allow any new items to be added once the array fills.
Adding or removing at the rear of the array is a relatively simple process -- to add we simply put
the new object in location numItems and then increment numItems. To remove we store the last
item in a temp object, decrement numItems and then return the item. It is probably a good idea to
also set the location back to null before returning.
Adding or removing at the front of the array is a bit more complicated. For this simple
implementation we will do it in the following way:
addFront -- move objects in locations 0..numItems-1 over one spot to "the right" (i.e. into
locations 1..numItems), then put the new object into location 0 and increment numItems. For
example, given the array below of length 9 with 6 items in it, doing an addFront of 25 will have
the effect shown in the three lines below:
0
1
2
3
4
5
6
7
8
50
30
10
40
20
80
50
30
10
40
20
80
25
50
30
10
40
20
80
removeFront -- store the object in location 0 in a temp variable, then move objects in locations
1..numItems-1 over one spot to "the left" (i.e. into locations 0..numItems-2). Set location
numItems-1 to null, decrement numItems and return the temp object. In effect, you are doing the
opposite of what is shown in the addFront above.
Note that the addFront and removeFront methods as described above are not implemented in the
most efficient manner. If you take CS 0445 you will likely discuss better ways of implementing
these methods. Also note the special cases for inserting into a full list (do nothing in this case)
and for removing from an empty list (return null in this case).
Program
For this lab you will complete the MyDeque class so that it works with the simple test program
Lab9.java (http://people.cs.pitt.edu/~ramirez/cs401/labs/Lab9.java). An outline of MyDeque.java
(http://people.cs.pitt.edu/~ramirez/cs401/labs/MyDeque.java) is provided for you to complete.
Make sure you handle the special cases shown. You will also need SimpleDeque.java
(http://people.cs.pitt.edu/~ramirez/cs401/labs/SimpleDeque.java), in which the interface is
defined. Download all three files onto your account through the links provided or through the
AFS file system. Then complete MyDeque.java, and compile and run Lab9.java so that it works
correctly. The output of your program should be:
Lab9> java Lab9
Stack adds and removes at rear
Marge Ingmar Ingrid Bertha Herb
Queue adds at rear and removes at front
0 1 2 3 4
Queue adds at front and removes at rear
0.0 2.0 4.0 6.0 8.0 10.0 12.0 14.0
Grading and Submission
Demonstrate that your MyDeque class works correctly by running the Lab9.java program for
your TA. Be ready to show your code to your TA as well.
There will be 4 raw points for this lab, broken down in the following way.
addFront() method – 1 point
removeFront() method – 1 point
addRear() method – 1 point
removeRear() method – 1 point
Note that your program must work with the provided driver program in order to receive credit for
these items. The 4 raw points will be normalized to give this lab equal weight to the other labs in
the CS 401 course.
Notes and Hints
Shifting the items in the array to allow the addFront() and removeFront() operations is not hard,
but it IS tricky. I recommend tracing it with a pencil and paper before coding it in your class. Be
especially careful with the order that you move the items.
Introduction and Background
In recent lectures we discussed using arrays, classes and interfaces (see newly added course
notes if you want to read ahead about interfaces – we will cover them this week in lecture). In
this lab you will utilize all of these topics to build a simple yet useful new class. Consider the
following interface describing the methods for a simple double ended queue (or deque):
public interface SimpleDeque
{
public void addFront(Object X); // Add Object X at front of list
public void addRear(Object X); // Add Object X at rear of list
// If array is full, add methods should do nothing
public Object removeFront(); // Remove and return Object X from
// front of list
public Object removeRear(); // Remove and return Object X from
// rear of list
// If array is empty, remove methods should return null
public boolean isEmpty(); // Return true if the list is empty
// Return false otherwise
}
A queue has the behavior such that items are added at the rear and removed from the front,
thereby giving a First In First Out (FIFO) access to the items added and subsequently removed
from the list. No other manipulations of the data are permitted (for example, we cannot add or
remove anywhere in the middle). Looking at it "in reverse", we could add new items at the
front of the queue and remove them from the rear. This is still providing FIFO access, but just
from a different point of view. Now consider both adding and removing items at the rear of the
list (without ever accessing the front). This is called stack access and gives us Last In First Out
(LIFO) access to the items (the data is removed in reverse order). The same behavior occurs if
we both add and remove at the front without ever accessing the rear of the list.
The simple deque above is expressed as an interface rather than a class, because we are not
describing the data or how it is represented -- we are simply describing its access behavior.
However, to actually build a working deque, we need a class that implements the interface
above. For example:
public class MyDeque implements SimpleDeque
{
Object [] theData;
int numItems;
public MyDeque(int maxItems)
{
theData = new Object[maxItems];
numItems = 0;
}
// Implementation of the five methods of SimpleDeque, plus
// perhaps other methods as well
}
Note that the implementation above uses an array of Object to store the items in the deque. Since
Object is the base class to all other Java classes, an array of Object can thus be used to store any
Java class types (we can even store primitive values if we utilize their wrapper classes). Also
note that nothing in the SimpleDeque interface requires an array to be used to store the data. You
will see in your CS 0445 course that a linked list may in fact be a better implementation than an
array in this case. However, for this implementation we will use an array because it is simple and
easy to understand.
Another important thing to notice about the partial implementation above is that the size of the
array used is not equal to the number of items in the deque. The number of items in the deque is
maintained in the separate int variable numItems. Since Java array sizes are fixed once the array
object is created, to avoid having to recreate new array objects with each add or removal we
simply allocate an array that is some reasonable size (specified by the parameter in the
constructor) when we create the deque. At that time we also set numItems to zero since there are
no actual items in the deque. We then increment numItems with each addition and decrement
numItems with each removal. This is the same maintenance technique used in the MovieDB
class of Lab 7. As we discussed in lecture, and as you did in Assignment 3, when the array fills
we could copy the data into a new, larger array. However, in this case, to keep things simple, we
will not resize the array and simply not allow any new items to be added once the array fills.
Adding or removing at the rear of the array is a relatively simple process -- to add we simply put
the new object in location numItems and then increment numItems. To remove we store the last
item in a temp object, decrement numItems and then return the item. It is probably a good idea to
also set the location back to null before returning.
Adding or removing at the front of the array is a bit more complicated. For this simple
implementation we will do it in the following way:
addFront -- move objects in locations 0..numItems-1 over one spot to "the right" (i.e. into
locations 1..numItems), then put the new object into location 0 and increment numItems. For
example, given the array below of length 9 with 6 items in it, doing an addFront of 25 will have
the effect shown in the three lines below:
0
1
2
3
4
5
6
7
8
50
30
10
40
20
80
50
30
10
40
20
80
25
50
30
10
40
20
80
removeFront -- store the object in location 0 in a temp variable, then move objects in locations
1..numItems-1 over one spot to "the left" (i.e. into locations 0..numItems-2). Set location
numItems-1 to null, decrement numItems and return the temp object. In effect, you are doing the
opposite of what is shown in the addFront above.
Note that the addFront and removeFront methods as described above are not implemented in the
most efficient manner. If you take CS 0445 you will likely discuss better ways of implementing
these methods. Also note the special cases for inserting into a full list (do nothing in this case)
and for removing from an empty list (return null in this case).
Program
For this lab you will complete the MyDeque class so that it works with the simple test program
Lab9.java (http://people.cs.pitt.edu/~ramirez/cs401/labs/Lab9.java). An outline of MyDeque.java
(http://people.cs.pitt.edu/~ramirez/cs401/labs/MyDeque.java) is provided for you to complete.
Make sure you handle the special cases shown. You will also need SimpleDeque.java
(http://people.cs.pitt.edu/~ramirez/cs401/labs/SimpleDeque.java), in which the interface is
defined. Download all three files onto your account through the links provided or through the
AFS file system. Then complete MyDeque.java, and compile and run Lab9.java so that it works
correctly. The output of your program should be:
Lab9> java Lab9
Stack adds and removes at rear
Marge Ingmar Ingrid Bertha Herb
Queue adds at rear and removes at front
0 1 2 3 4
Queue adds at front and removes at rear
0.0 2.0 4.0 6.0 8.0 10.0 12.0 14.0
Grading and Submission
Demonstrate that your MyDeque class works correctly by running the Lab9.java program for
your TA. Be ready to show your code to your TA as well.
There will be 4 raw points for this lab, broken down in the following way.
addFront() method – 1 point
removeFront() method – 1 point
addRear() method – 1 point
removeRear() method – 1 point
Note that your program must work with the provided driver program in order to receive credit for
these items. The 4 raw points will be normalized to give this lab equal weight to the other labs in
the CS 401 course.
Notes and Hints
Shifting the items in the array to allow the addFront() and removeFront() operations is not hard,
but it IS tricky. I recommend tracing it with a pencil and paper before coding it in your class. Be
especially careful with the order that you move the items.
Introduction and Background
In recent lectures we discussed using arrays, classes and interfaces (see newly added course
notes if you want to read ahead about interfaces – we will cover them this week in lecture). In
this lab you will utilize all of these topics to build a simple yet useful new class. Consider the
following interface describing the methods for a simple double ended queue (or deque):
public interface SimpleDeque
{
public void addFront(Object X); // Add Object X at front of list
public void addRear(Object X); // Add Object X at rear of list
// If array is full, add methods should do nothing
public Object removeFront(); // Remove and return Object X from
// front of list
public Object removeRear(); // Remove and return Object X from
// rear of list
// If array is empty, remove methods should return null
public boolean isEmpty(); // Return true if the list is empty
// Return false otherwise
}
A queue has the behavior such that items are added at the rear and removed from the front,
thereby giving a First In First Out (FIFO) access to the items added and subsequently removed
from the list. No other manipulations of the data are permitted (for example, we cannot add or
remove anywhere in the middle). Looking at it "in reverse", we could add new items at the
front of the queue and remove them from the rear. This is still providing FIFO access, but just
from a different point of view. Now consider both adding and removing items at the rear of the
list (without ever accessing the front). This is called stack access and gives us Last In First Out
(LIFO) access to the items (the data is removed in reverse order). The same behavior occurs if
we both add and remove at the front without ever accessing the rear of the list.
The simple deque above is expressed as an interface rather than a class, because we are not
describing the data or how it is represented -- we are simply describing its access behavior.
However, to actually build a working deque, we need a class that implements the interface
above. For example:
public class MyDeque implements SimpleDeque
{
Object [] theData;
int numItems;
public MyDeque(int maxItems)
{
theData = new Object[maxItems];
numItems = 0;
}
// Implementation of the five methods of SimpleDeque, plus
// perhaps other methods as well
}
Note that the implementation above uses an array of Object to store the items in the deque. Since
Object is the base class to all other Java classes, an array of Object can thus be used to store any
Java class types (we can even store primitive values if we utilize their wrapper classes). Also
note that nothing in the SimpleDeque interface requires an array to be used to store the data. You
will see in your CS 0445 course that a linked list may in fact be a better implementation than an
array in this case. However, for this implementation we will use an array because it is simple and
easy to understand.
Another important thing to notice about the partial implementation above is that the size of the
array used is not equal to the number of items in the deque. The number of items in the deque is
maintained in the separate int variable numItems. Since Java array sizes are fixed once the array
object is created, to avoid having to recreate new array objects with each add or removal we
simply allocate an array that is some reasonable size (specified by the parameter in the
constructor) when we create the deque. At that time we also set numItems to zero since there are
no actual items in the deque. We then increment numItems with each addition and decrement
numItems with each removal. This is the same maintenance technique used in the MovieDB
class of Lab 7. As we discussed in lecture, and as you did in Assignment 3, when the array fills
we could copy the data into a new, larger array. However, in this case, to keep things simple, we
will not resize the array and simply not allow any new items to be added once the array fills.
Adding or removing at the rear of the array is a relatively simple process -- to add we simply put
the new object in location numItems and then increment numItems. To remove we store the last
item in a temp object, decrement numItems and then return the item. It is probably a good idea to
also set the location back to null before returning.
Adding or removing at the front of the array is a bit more complicated. For this simple
implementation we will do it in the following way:
addFront -- move objects in locations 0..numItems-1 over one spot to "the right" (i.e. into
locations 1..numItems), then put the new object into location 0 and increment numItems. For
example, given the array below of length 9 with 6 items in it, doing an addFront of 25 will have
the effect shown in the three lines below:
0
1
2
3
4
5
6
7
8
50
30
10
40
20
80
50
30
10
40
20
80
25
50
30
10
40
20
80
removeFront -- store the object in location 0 in a temp variable, then move objects in locations
1..numItems-1 over one spot to "the left" (i.e. into locations 0..numItems-2). Set location
numItems-1 to null, decrement numItems and return the temp object. In effect, you are doing the
opposite of what is shown in the addFront above.
Note that the addFront and removeFront methods as described above are not implemented in the
most efficient manner. If you take CS 0445 you will likely discuss better ways of implementing
these methods. Also note the special cases for inserting into a full list (do nothing in this case)
and for removing from an empty list (return null in this case).
Program
For this lab you will complete the MyDeque class so that it works with the simple test program
Lab9.java (http://people.cs.pitt.edu/~ramirez/cs401/labs/Lab9.java). An outline of MyDeque.java
(http://people.cs.pitt.edu/~ramirez/cs401/labs/MyDeque.java) is provided for you to complete.
Make sure you handle the special cases shown. You will also need SimpleDeque.java
(http://people.cs.pitt.edu/~ramirez/cs401/labs/SimpleDeque.java), in which the interface is
defined. Download all three files onto your account through the links provided or through the
AFS file system. Then complete MyDeque.java, and compile and run Lab9.java so that it works
correctly. The output of your program should be:
Lab9> java Lab9
Stack adds and removes at rear
Marge Ingmar Ingrid Bertha Herb
Queue adds at rear and removes at front
0 1 2 3 4
Queue adds at front and removes at rear
0.0 2.0 4.0 6.0 8.0 10.0 12.0 14.0
Grading and Submission
Demonstrate that your MyDeque class works correctly by running the Lab9.java program for
your TA. Be ready to show your code to your TA as well.
There will be 4 raw points for this lab, broken down in the following way.
addFront() method – 1 point
removeFront() method – 1 point
addRear() method – 1 point
removeRear() method – 1 point
Note that your program must work with the provided driver program in order to receive credit for
these items. The 4 raw points will be normalized to give this lab equal weight to the other labs in
the CS 401 course.
Notes and Hints
Shifting the items in the array to allow the addFront() and removeFront() operations is not hard,
but it IS tricky. I recommend tracing it with a pencil and paper before coding it in your class. Be
especially careful with the order that you move the items.
Solution
Code:
package lab9;
public class MyDeque implements SimpleDeque
{
Object [] theData;
int numItems;
public MyDeque(int maxItems)
{
theData = new Object[maxItems];
numItems = 0;
}
public boolean isEmpty()
{
return (numItems == 0);
}
public void addFront(Object X)
{
// Add new item at front of list (shifting old items
// to right first). If the list is full, do not add
// the item (just do nothing).
if (X == null)
throw new IllegalArgumentException("item must be non-null");
System.out.println(numItems);
if (numItems == theData.length)
return; // no more room!
else {
for(int i=numItems-1;i>=0;i--)
theData[i+1]=theData[i];
theData[0]=X;
numItems++;
}
}
public void addRear(Object X)
{
// Add new item at rear of list. If the list is full,
// do not add the item (just do nothing).
if (numItems == theData.length)
return; // no more room!
else {
theData[numItems]=X;
numItems++;
}
}
public Object removeFront()
{
// Remove and return front item from list, shifting remaining
// items to the left to fill the spot. If list is empty,
// return null.
if (numItems ==0)
{
//System.out.println("Empty");
return null;// no more room!
}
else {
Object x=theData[0];
for(int i=0;i

More Related Content

Similar to Introduction and BackgroundIn recent lectures we discussed usi.pdf

In java , I want you to implement a Data Structure known as a Doubly.pdf
In java , I want you to implement a Data Structure known as a Doubly.pdfIn java , I want you to implement a Data Structure known as a Doubly.pdf
In java , I want you to implement a Data Structure known as a Doubly.pdfaromalcom
 
Mca ii dfs u-3 linklist,stack,queue
Mca ii dfs u-3 linklist,stack,queueMca ii dfs u-3 linklist,stack,queue
Mca ii dfs u-3 linklist,stack,queueRai University
 
Collections and its types in C# (with examples)
Collections and its types in C# (with examples)Collections and its types in C# (with examples)
Collections and its types in C# (with examples)Aijaz Ali Abro
 
CD3291 2.5 stack.pptx
CD3291 2.5 stack.pptxCD3291 2.5 stack.pptx
CD3291 2.5 stack.pptxmareeswari15
 
ECET 370 HELPS Education Counseling--ecet370helps.com
ECET 370 HELPS  Education Counseling--ecet370helps.comECET 370 HELPS  Education Counseling--ecet370helps.com
ECET 370 HELPS Education Counseling--ecet370helps.comclaric64
 
stack_presentaton_HUSNAIN[2].pojklklklptx
stack_presentaton_HUSNAIN[2].pojklklklptxstack_presentaton_HUSNAIN[2].pojklklklptx
stack_presentaton_HUSNAIN[2].pojklklklptxHusnainNaqvi2
 
queuesArrays.ppt bbbbbbbbbbbbbbbbbbbbbbbbbb
queuesArrays.ppt bbbbbbbbbbbbbbbbbbbbbbbbbbqueuesArrays.ppt bbbbbbbbbbbbbbbbbbbbbbbbbb
queuesArrays.ppt bbbbbbbbbbbbbbbbbbbbbbbbbbRAtna29
 
Data structure , stack , queue
Data structure , stack , queueData structure , stack , queue
Data structure , stack , queueRajkiran Nadar
 
Data structure,abstraction,abstract data type,static and dynamic,time and spa...
Data structure,abstraction,abstract data type,static and dynamic,time and spa...Data structure,abstraction,abstract data type,static and dynamic,time and spa...
Data structure,abstraction,abstract data type,static and dynamic,time and spa...Hassan Ahmed
 
ECET 370 HELPS Redefined Education--ecet370helps.com
ECET 370 HELPS Redefined Education--ecet370helps.comECET 370 HELPS Redefined Education--ecet370helps.com
ECET 370 HELPS Redefined Education--ecet370helps.comGVlaxmi7
 
Data structures and algorithms lab4
Data structures and algorithms lab4Data structures and algorithms lab4
Data structures and algorithms lab4Bianca Teşilă
 
JAVA A double-ended queue is a list that allows the addition and.pdf
JAVA A double-ended queue is a list that allows the addition and.pdfJAVA A double-ended queue is a list that allows the addition and.pdf
JAVA A double-ended queue is a list that allows the addition and.pdfamrishinda
 
DS Complete notes for Computer science and Engineering
DS Complete notes for Computer science and EngineeringDS Complete notes for Computer science and Engineering
DS Complete notes for Computer science and EngineeringRAJASEKHARV8
 

Similar to Introduction and BackgroundIn recent lectures we discussed usi.pdf (20)

In java , I want you to implement a Data Structure known as a Doubly.pdf
In java , I want you to implement a Data Structure known as a Doubly.pdfIn java , I want you to implement a Data Structure known as a Doubly.pdf
In java , I want you to implement a Data Structure known as a Doubly.pdf
 
Chapter11
Chapter11Chapter11
Chapter11
 
Mca ii dfs u-3 linklist,stack,queue
Mca ii dfs u-3 linklist,stack,queueMca ii dfs u-3 linklist,stack,queue
Mca ii dfs u-3 linklist,stack,queue
 
Collections and its types in C# (with examples)
Collections and its types in C# (with examples)Collections and its types in C# (with examples)
Collections and its types in C# (with examples)
 
CD3291 2.5 stack.pptx
CD3291 2.5 stack.pptxCD3291 2.5 stack.pptx
CD3291 2.5 stack.pptx
 
LectureNotes-06-DSA
LectureNotes-06-DSALectureNotes-06-DSA
LectureNotes-06-DSA
 
ECET 370 HELPS Education Counseling--ecet370helps.com
ECET 370 HELPS  Education Counseling--ecet370helps.comECET 370 HELPS  Education Counseling--ecet370helps.com
ECET 370 HELPS Education Counseling--ecet370helps.com
 
Collections
CollectionsCollections
Collections
 
Stack and Queue
Stack and Queue Stack and Queue
Stack and Queue
 
stack_presentaton_HUSNAIN[2].pojklklklptx
stack_presentaton_HUSNAIN[2].pojklklklptxstack_presentaton_HUSNAIN[2].pojklklklptx
stack_presentaton_HUSNAIN[2].pojklklklptx
 
queuesArrays.ppt bbbbbbbbbbbbbbbbbbbbbbbbbb
queuesArrays.ppt bbbbbbbbbbbbbbbbbbbbbbbbbbqueuesArrays.ppt bbbbbbbbbbbbbbbbbbbbbbbbbb
queuesArrays.ppt bbbbbbbbbbbbbbbbbbbbbbbbbb
 
stack coding.pptx
stack coding.pptxstack coding.pptx
stack coding.pptx
 
TSAT Presentation1.pptx
TSAT Presentation1.pptxTSAT Presentation1.pptx
TSAT Presentation1.pptx
 
Data structure , stack , queue
Data structure , stack , queueData structure , stack , queue
Data structure , stack , queue
 
2 b queues
2 b queues2 b queues
2 b queues
 
Data structure,abstraction,abstract data type,static and dynamic,time and spa...
Data structure,abstraction,abstract data type,static and dynamic,time and spa...Data structure,abstraction,abstract data type,static and dynamic,time and spa...
Data structure,abstraction,abstract data type,static and dynamic,time and spa...
 
ECET 370 HELPS Redefined Education--ecet370helps.com
ECET 370 HELPS Redefined Education--ecet370helps.comECET 370 HELPS Redefined Education--ecet370helps.com
ECET 370 HELPS Redefined Education--ecet370helps.com
 
Data structures and algorithms lab4
Data structures and algorithms lab4Data structures and algorithms lab4
Data structures and algorithms lab4
 
JAVA A double-ended queue is a list that allows the addition and.pdf
JAVA A double-ended queue is a list that allows the addition and.pdfJAVA A double-ended queue is a list that allows the addition and.pdf
JAVA A double-ended queue is a list that allows the addition and.pdf
 
DS Complete notes for Computer science and Engineering
DS Complete notes for Computer science and EngineeringDS Complete notes for Computer science and Engineering
DS Complete notes for Computer science and Engineering
 

More from arpitaeron555

match the following attributes to the parts of a compilerstrips ou.pdf
match the following attributes to the parts of a compilerstrips ou.pdfmatch the following attributes to the parts of a compilerstrips ou.pdf
match the following attributes to the parts of a compilerstrips ou.pdfarpitaeron555
 
Multiple-Choice Which one is a discrete variableRadius of a ball.pdf
Multiple-Choice Which one is a discrete variableRadius of a ball.pdfMultiple-Choice Which one is a discrete variableRadius of a ball.pdf
Multiple-Choice Which one is a discrete variableRadius of a ball.pdfarpitaeron555
 
Looking for some help with this assignment. 1. Define distribut.pdf
Looking for some help with this assignment. 1. Define distribut.pdfLooking for some help with this assignment. 1. Define distribut.pdf
Looking for some help with this assignment. 1. Define distribut.pdfarpitaeron555
 
In the binary search, if the array being searched has 32 elements in.pdf
In the binary search, if the array being searched has 32 elements in.pdfIn the binary search, if the array being searched has 32 elements in.pdf
In the binary search, if the array being searched has 32 elements in.pdfarpitaeron555
 
Is there any information out there about decorator crabs picking up .pdf
Is there any information out there about decorator crabs picking up .pdfIs there any information out there about decorator crabs picking up .pdf
Is there any information out there about decorator crabs picking up .pdfarpitaeron555
 
Heliconius melpomene is a species of butterfly with ZW sex determina.pdf
Heliconius melpomene is a species of butterfly with ZW sex determina.pdfHeliconius melpomene is a species of butterfly with ZW sex determina.pdf
Heliconius melpomene is a species of butterfly with ZW sex determina.pdfarpitaeron555
 
Identify the key mechanism that determines which X remains active an.pdf
Identify the key mechanism that determines which X remains active an.pdfIdentify the key mechanism that determines which X remains active an.pdf
Identify the key mechanism that determines which X remains active an.pdfarpitaeron555
 
For each of the given functions, list the domain and range. Also list.pdf
For each of the given functions, list the domain and range. Also list.pdfFor each of the given functions, list the domain and range. Also list.pdf
For each of the given functions, list the domain and range. Also list.pdfarpitaeron555
 
Given to girls born in the U.S. in the years The tables below give t.pdf
Given to girls born in the U.S. in the years  The tables below give t.pdfGiven to girls born in the U.S. in the years  The tables below give t.pdf
Given to girls born in the U.S. in the years The tables below give t.pdfarpitaeron555
 
How do open source projects work How is it different from closed sou.pdf
How do open source projects work How is it different from closed sou.pdfHow do open source projects work How is it different from closed sou.pdf
How do open source projects work How is it different from closed sou.pdfarpitaeron555
 
Ferdinand is affected by hemophilia, a recessive x-linked condition..pdf
Ferdinand is affected by hemophilia, a recessive x-linked condition..pdfFerdinand is affected by hemophilia, a recessive x-linked condition..pdf
Ferdinand is affected by hemophilia, a recessive x-linked condition..pdfarpitaeron555
 
Explain whether you think IFRS and GAAP will be fully converged. Wha.pdf
Explain whether you think IFRS and GAAP will be fully converged. Wha.pdfExplain whether you think IFRS and GAAP will be fully converged. Wha.pdf
Explain whether you think IFRS and GAAP will be fully converged. Wha.pdfarpitaeron555
 
Does the following picture depict a function It so, is it a one to o.pdf
Does the following picture depict a function It so, is it a one to o.pdfDoes the following picture depict a function It so, is it a one to o.pdf
Does the following picture depict a function It so, is it a one to o.pdfarpitaeron555
 
Do patients have health care rights that are not legal or statuatory.pdf
Do patients have health care rights that are not legal or statuatory.pdfDo patients have health care rights that are not legal or statuatory.pdf
Do patients have health care rights that are not legal or statuatory.pdfarpitaeron555
 
Describe the authentication process in the figure below Solutio.pdf
Describe the authentication process in the figure below  Solutio.pdfDescribe the authentication process in the figure below  Solutio.pdf
Describe the authentication process in the figure below Solutio.pdfarpitaeron555
 
Discuss the history of bureaucratic and administrative management..pdf
Discuss the history of bureaucratic and administrative management..pdfDiscuss the history of bureaucratic and administrative management..pdf
Discuss the history of bureaucratic and administrative management..pdfarpitaeron555
 
Describe or explain how SNPs in genes at evolutionary conserved brea.pdf
Describe or explain how SNPs in genes at evolutionary conserved brea.pdfDescribe or explain how SNPs in genes at evolutionary conserved brea.pdf
Describe or explain how SNPs in genes at evolutionary conserved brea.pdfarpitaeron555
 
Data x word 23 y word -3 Write assembly code for the following p.pdf
Data  x word 23  y word -3  Write assembly code for the following p.pdfData  x word 23  y word -3  Write assembly code for the following p.pdf
Data x word 23 y word -3 Write assembly code for the following p.pdfarpitaeron555
 
Can Variance Inflation factors be used to detect Heteroscedasticity .pdf
Can Variance Inflation factors be used to detect Heteroscedasticity .pdfCan Variance Inflation factors be used to detect Heteroscedasticity .pdf
Can Variance Inflation factors be used to detect Heteroscedasticity .pdfarpitaeron555
 
A study undertaken by the Miami-Dade Supervisor of Elections in 2002.pdf
A study undertaken by the Miami-Dade Supervisor of Elections in 2002.pdfA study undertaken by the Miami-Dade Supervisor of Elections in 2002.pdf
A study undertaken by the Miami-Dade Supervisor of Elections in 2002.pdfarpitaeron555
 

More from arpitaeron555 (20)

match the following attributes to the parts of a compilerstrips ou.pdf
match the following attributes to the parts of a compilerstrips ou.pdfmatch the following attributes to the parts of a compilerstrips ou.pdf
match the following attributes to the parts of a compilerstrips ou.pdf
 
Multiple-Choice Which one is a discrete variableRadius of a ball.pdf
Multiple-Choice Which one is a discrete variableRadius of a ball.pdfMultiple-Choice Which one is a discrete variableRadius of a ball.pdf
Multiple-Choice Which one is a discrete variableRadius of a ball.pdf
 
Looking for some help with this assignment. 1. Define distribut.pdf
Looking for some help with this assignment. 1. Define distribut.pdfLooking for some help with this assignment. 1. Define distribut.pdf
Looking for some help with this assignment. 1. Define distribut.pdf
 
In the binary search, if the array being searched has 32 elements in.pdf
In the binary search, if the array being searched has 32 elements in.pdfIn the binary search, if the array being searched has 32 elements in.pdf
In the binary search, if the array being searched has 32 elements in.pdf
 
Is there any information out there about decorator crabs picking up .pdf
Is there any information out there about decorator crabs picking up .pdfIs there any information out there about decorator crabs picking up .pdf
Is there any information out there about decorator crabs picking up .pdf
 
Heliconius melpomene is a species of butterfly with ZW sex determina.pdf
Heliconius melpomene is a species of butterfly with ZW sex determina.pdfHeliconius melpomene is a species of butterfly with ZW sex determina.pdf
Heliconius melpomene is a species of butterfly with ZW sex determina.pdf
 
Identify the key mechanism that determines which X remains active an.pdf
Identify the key mechanism that determines which X remains active an.pdfIdentify the key mechanism that determines which X remains active an.pdf
Identify the key mechanism that determines which X remains active an.pdf
 
For each of the given functions, list the domain and range. Also list.pdf
For each of the given functions, list the domain and range. Also list.pdfFor each of the given functions, list the domain and range. Also list.pdf
For each of the given functions, list the domain and range. Also list.pdf
 
Given to girls born in the U.S. in the years The tables below give t.pdf
Given to girls born in the U.S. in the years  The tables below give t.pdfGiven to girls born in the U.S. in the years  The tables below give t.pdf
Given to girls born in the U.S. in the years The tables below give t.pdf
 
How do open source projects work How is it different from closed sou.pdf
How do open source projects work How is it different from closed sou.pdfHow do open source projects work How is it different from closed sou.pdf
How do open source projects work How is it different from closed sou.pdf
 
Ferdinand is affected by hemophilia, a recessive x-linked condition..pdf
Ferdinand is affected by hemophilia, a recessive x-linked condition..pdfFerdinand is affected by hemophilia, a recessive x-linked condition..pdf
Ferdinand is affected by hemophilia, a recessive x-linked condition..pdf
 
Explain whether you think IFRS and GAAP will be fully converged. Wha.pdf
Explain whether you think IFRS and GAAP will be fully converged. Wha.pdfExplain whether you think IFRS and GAAP will be fully converged. Wha.pdf
Explain whether you think IFRS and GAAP will be fully converged. Wha.pdf
 
Does the following picture depict a function It so, is it a one to o.pdf
Does the following picture depict a function It so, is it a one to o.pdfDoes the following picture depict a function It so, is it a one to o.pdf
Does the following picture depict a function It so, is it a one to o.pdf
 
Do patients have health care rights that are not legal or statuatory.pdf
Do patients have health care rights that are not legal or statuatory.pdfDo patients have health care rights that are not legal or statuatory.pdf
Do patients have health care rights that are not legal or statuatory.pdf
 
Describe the authentication process in the figure below Solutio.pdf
Describe the authentication process in the figure below  Solutio.pdfDescribe the authentication process in the figure below  Solutio.pdf
Describe the authentication process in the figure below Solutio.pdf
 
Discuss the history of bureaucratic and administrative management..pdf
Discuss the history of bureaucratic and administrative management..pdfDiscuss the history of bureaucratic and administrative management..pdf
Discuss the history of bureaucratic and administrative management..pdf
 
Describe or explain how SNPs in genes at evolutionary conserved brea.pdf
Describe or explain how SNPs in genes at evolutionary conserved brea.pdfDescribe or explain how SNPs in genes at evolutionary conserved brea.pdf
Describe or explain how SNPs in genes at evolutionary conserved brea.pdf
 
Data x word 23 y word -3 Write assembly code for the following p.pdf
Data  x word 23  y word -3  Write assembly code for the following p.pdfData  x word 23  y word -3  Write assembly code for the following p.pdf
Data x word 23 y word -3 Write assembly code for the following p.pdf
 
Can Variance Inflation factors be used to detect Heteroscedasticity .pdf
Can Variance Inflation factors be used to detect Heteroscedasticity .pdfCan Variance Inflation factors be used to detect Heteroscedasticity .pdf
Can Variance Inflation factors be used to detect Heteroscedasticity .pdf
 
A study undertaken by the Miami-Dade Supervisor of Elections in 2002.pdf
A study undertaken by the Miami-Dade Supervisor of Elections in 2002.pdfA study undertaken by the Miami-Dade Supervisor of Elections in 2002.pdf
A study undertaken by the Miami-Dade Supervisor of Elections in 2002.pdf
 

Recently uploaded

Z Score,T Score, Percential Rank and Box Plot Graph
Z Score,T Score, Percential Rank and Box Plot GraphZ Score,T Score, Percential Rank and Box Plot Graph
Z Score,T Score, Percential Rank and Box Plot GraphThiyagu K
 
Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...
Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...
Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...Krashi Coaching
 
Advanced Views - Calendar View in Odoo 17
Advanced Views - Calendar View in Odoo 17Advanced Views - Calendar View in Odoo 17
Advanced Views - Calendar View in Odoo 17Celine George
 
Q4-W6-Restating Informational Text Grade 3
Q4-W6-Restating Informational Text Grade 3Q4-W6-Restating Informational Text Grade 3
Q4-W6-Restating Informational Text Grade 3JemimahLaneBuaron
 
Arihant handbook biology for class 11 .pdf
Arihant handbook biology for class 11 .pdfArihant handbook biology for class 11 .pdf
Arihant handbook biology for class 11 .pdfchloefrazer622
 
The basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptxThe basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptxheathfieldcps1
 
Nutritional Needs Presentation - HLTH 104
Nutritional Needs Presentation - HLTH 104Nutritional Needs Presentation - HLTH 104
Nutritional Needs Presentation - HLTH 104misteraugie
 
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...Marc Dusseiller Dusjagr
 
Separation of Lanthanides/ Lanthanides and Actinides
Separation of Lanthanides/ Lanthanides and ActinidesSeparation of Lanthanides/ Lanthanides and Actinides
Separation of Lanthanides/ Lanthanides and ActinidesFatimaKhan178732
 
microwave assisted reaction. General introduction
microwave assisted reaction. General introductionmicrowave assisted reaction. General introduction
microwave assisted reaction. General introductionMaksud Ahmed
 
BASLIQ CURRENT LOOKBOOK LOOKBOOK(1) (1).pdf
BASLIQ CURRENT LOOKBOOK  LOOKBOOK(1) (1).pdfBASLIQ CURRENT LOOKBOOK  LOOKBOOK(1) (1).pdf
BASLIQ CURRENT LOOKBOOK LOOKBOOK(1) (1).pdfSoniaTolstoy
 
Introduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptxIntroduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptxpboyjonauth
 
CARE OF CHILD IN INCUBATOR..........pptx
CARE OF CHILD IN INCUBATOR..........pptxCARE OF CHILD IN INCUBATOR..........pptx
CARE OF CHILD IN INCUBATOR..........pptxGaneshChakor2
 
Introduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher EducationIntroduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher Educationpboyjonauth
 
Interactive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communicationInteractive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communicationnomboosow
 
Grant Readiness 101 TechSoup and Remy Consulting
Grant Readiness 101 TechSoup and Remy ConsultingGrant Readiness 101 TechSoup and Remy Consulting
Grant Readiness 101 TechSoup and Remy ConsultingTechSoup
 
mini mental status format.docx
mini    mental       status     format.docxmini    mental       status     format.docx
mini mental status format.docxPoojaSen20
 

Recently uploaded (20)

Z Score,T Score, Percential Rank and Box Plot Graph
Z Score,T Score, Percential Rank and Box Plot GraphZ Score,T Score, Percential Rank and Box Plot Graph
Z Score,T Score, Percential Rank and Box Plot Graph
 
Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...
Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...
Kisan Call Centre - To harness potential of ICT in Agriculture by answer farm...
 
Advanced Views - Calendar View in Odoo 17
Advanced Views - Calendar View in Odoo 17Advanced Views - Calendar View in Odoo 17
Advanced Views - Calendar View in Odoo 17
 
Q4-W6-Restating Informational Text Grade 3
Q4-W6-Restating Informational Text Grade 3Q4-W6-Restating Informational Text Grade 3
Q4-W6-Restating Informational Text Grade 3
 
Arihant handbook biology for class 11 .pdf
Arihant handbook biology for class 11 .pdfArihant handbook biology for class 11 .pdf
Arihant handbook biology for class 11 .pdf
 
The basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptxThe basics of sentences session 2pptx copy.pptx
The basics of sentences session 2pptx copy.pptx
 
Nutritional Needs Presentation - HLTH 104
Nutritional Needs Presentation - HLTH 104Nutritional Needs Presentation - HLTH 104
Nutritional Needs Presentation - HLTH 104
 
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...
“Oh GOSH! Reflecting on Hackteria's Collaborative Practices in a Global Do-It...
 
Separation of Lanthanides/ Lanthanides and Actinides
Separation of Lanthanides/ Lanthanides and ActinidesSeparation of Lanthanides/ Lanthanides and Actinides
Separation of Lanthanides/ Lanthanides and Actinides
 
microwave assisted reaction. General introduction
microwave assisted reaction. General introductionmicrowave assisted reaction. General introduction
microwave assisted reaction. General introduction
 
Mattingly "AI & Prompt Design: Structured Data, Assistants, & RAG"
Mattingly "AI & Prompt Design: Structured Data, Assistants, & RAG"Mattingly "AI & Prompt Design: Structured Data, Assistants, & RAG"
Mattingly "AI & Prompt Design: Structured Data, Assistants, & RAG"
 
BASLIQ CURRENT LOOKBOOK LOOKBOOK(1) (1).pdf
BASLIQ CURRENT LOOKBOOK  LOOKBOOK(1) (1).pdfBASLIQ CURRENT LOOKBOOK  LOOKBOOK(1) (1).pdf
BASLIQ CURRENT LOOKBOOK LOOKBOOK(1) (1).pdf
 
TataKelola dan KamSiber Kecerdasan Buatan v022.pdf
TataKelola dan KamSiber Kecerdasan Buatan v022.pdfTataKelola dan KamSiber Kecerdasan Buatan v022.pdf
TataKelola dan KamSiber Kecerdasan Buatan v022.pdf
 
Introduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptxIntroduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptx
 
Mattingly "AI & Prompt Design: The Basics of Prompt Design"
Mattingly "AI & Prompt Design: The Basics of Prompt Design"Mattingly "AI & Prompt Design: The Basics of Prompt Design"
Mattingly "AI & Prompt Design: The Basics of Prompt Design"
 
CARE OF CHILD IN INCUBATOR..........pptx
CARE OF CHILD IN INCUBATOR..........pptxCARE OF CHILD IN INCUBATOR..........pptx
CARE OF CHILD IN INCUBATOR..........pptx
 
Introduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher EducationIntroduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher Education
 
Interactive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communicationInteractive Powerpoint_How to Master effective communication
Interactive Powerpoint_How to Master effective communication
 
Grant Readiness 101 TechSoup and Remy Consulting
Grant Readiness 101 TechSoup and Remy ConsultingGrant Readiness 101 TechSoup and Remy Consulting
Grant Readiness 101 TechSoup and Remy Consulting
 
mini mental status format.docx
mini    mental       status     format.docxmini    mental       status     format.docx
mini mental status format.docx
 

Introduction and BackgroundIn recent lectures we discussed usi.pdf

  • 1. Introduction and Background In recent lectures we discussed using arrays, classes and interfaces (see newly added course notes if you want to read ahead about interfaces – we will cover them this week in lecture). In this lab you will utilize all of these topics to build a simple yet useful new class. Consider the following interface describing the methods for a simple double ended queue (or deque): public interface SimpleDeque { public void addFront(Object X); // Add Object X at front of list public void addRear(Object X); // Add Object X at rear of list // If array is full, add methods should do nothing public Object removeFront(); // Remove and return Object X from // front of list public Object removeRear(); // Remove and return Object X from // rear of list // If array is empty, remove methods should return null public boolean isEmpty(); // Return true if the list is empty // Return false otherwise
  • 2. } A queue has the behavior such that items are added at the rear and removed from the front, thereby giving a First In First Out (FIFO) access to the items added and subsequently removed from the list. No other manipulations of the data are permitted (for example, we cannot add or remove anywhere in the middle). Looking at it "in reverse", we could add new items at the front of the queue and remove them from the rear. This is still providing FIFO access, but just from a different point of view. Now consider both adding and removing items at the rear of the list (without ever accessing the front). This is called stack access and gives us Last In First Out (LIFO) access to the items (the data is removed in reverse order). The same behavior occurs if we both add and remove at the front without ever accessing the rear of the list. The simple deque above is expressed as an interface rather than a class, because we are not describing the data or how it is represented -- we are simply describing its access behavior. However, to actually build a working deque, we need a class that implements the interface above. For example: public class MyDeque implements SimpleDeque { Object [] theData; int numItems; public MyDeque(int maxItems) { theData = new Object[maxItems]; numItems = 0; } // Implementation of the five methods of SimpleDeque, plus // perhaps other methods as well
  • 3. } Note that the implementation above uses an array of Object to store the items in the deque. Since Object is the base class to all other Java classes, an array of Object can thus be used to store any Java class types (we can even store primitive values if we utilize their wrapper classes). Also note that nothing in the SimpleDeque interface requires an array to be used to store the data. You will see in your CS 0445 course that a linked list may in fact be a better implementation than an array in this case. However, for this implementation we will use an array because it is simple and easy to understand. Another important thing to notice about the partial implementation above is that the size of the array used is not equal to the number of items in the deque. The number of items in the deque is maintained in the separate int variable numItems. Since Java array sizes are fixed once the array object is created, to avoid having to recreate new array objects with each add or removal we simply allocate an array that is some reasonable size (specified by the parameter in the constructor) when we create the deque. At that time we also set numItems to zero since there are no actual items in the deque. We then increment numItems with each addition and decrement numItems with each removal. This is the same maintenance technique used in the MovieDB class of Lab 7. As we discussed in lecture, and as you did in Assignment 3, when the array fills we could copy the data into a new, larger array. However, in this case, to keep things simple, we will not resize the array and simply not allow any new items to be added once the array fills. Adding or removing at the rear of the array is a relatively simple process -- to add we simply put the new object in location numItems and then increment numItems. To remove we store the last item in a temp object, decrement numItems and then return the item. It is probably a good idea to also set the location back to null before returning. Adding or removing at the front of the array is a bit more complicated. For this simple implementation we will do it in the following way:
  • 4. addFront -- move objects in locations 0..numItems-1 over one spot to "the right" (i.e. into locations 1..numItems), then put the new object into location 0 and increment numItems. For example, given the array below of length 9 with 6 items in it, doing an addFront of 25 will have the effect shown in the three lines below: 0 1 2 3 4 5 6 7 8 50
  • 6. 80 25 50 30 10 40 20 80 removeFront -- store the object in location 0 in a temp variable, then move objects in locations 1..numItems-1 over one spot to "the left" (i.e. into locations 0..numItems-2). Set location
  • 7. numItems-1 to null, decrement numItems and return the temp object. In effect, you are doing the opposite of what is shown in the addFront above. Note that the addFront and removeFront methods as described above are not implemented in the most efficient manner. If you take CS 0445 you will likely discuss better ways of implementing these methods. Also note the special cases for inserting into a full list (do nothing in this case) and for removing from an empty list (return null in this case). Program For this lab you will complete the MyDeque class so that it works with the simple test program Lab9.java (http://people.cs.pitt.edu/~ramirez/cs401/labs/Lab9.java). An outline of MyDeque.java (http://people.cs.pitt.edu/~ramirez/cs401/labs/MyDeque.java) is provided for you to complete. Make sure you handle the special cases shown. You will also need SimpleDeque.java (http://people.cs.pitt.edu/~ramirez/cs401/labs/SimpleDeque.java), in which the interface is defined. Download all three files onto your account through the links provided or through the AFS file system. Then complete MyDeque.java, and compile and run Lab9.java so that it works correctly. The output of your program should be: Lab9> java Lab9 Stack adds and removes at rear Marge Ingmar Ingrid Bertha Herb Queue adds at rear and removes at front 0 1 2 3 4 Queue adds at front and removes at rear 0.0 2.0 4.0 6.0 8.0 10.0 12.0 14.0
  • 8. Grading and Submission Demonstrate that your MyDeque class works correctly by running the Lab9.java program for your TA. Be ready to show your code to your TA as well. There will be 4 raw points for this lab, broken down in the following way. addFront() method – 1 point removeFront() method – 1 point addRear() method – 1 point removeRear() method – 1 point Note that your program must work with the provided driver program in order to receive credit for these items. The 4 raw points will be normalized to give this lab equal weight to the other labs in the CS 401 course. Notes and Hints Shifting the items in the array to allow the addFront() and removeFront() operations is not hard, but it IS tricky. I recommend tracing it with a pencil and paper before coding it in your class. Be especially careful with the order that you move the items. Introduction and Background In recent lectures we discussed using arrays, classes and interfaces (see newly added course notes if you want to read ahead about interfaces – we will cover them this week in lecture). In this lab you will utilize all of these topics to build a simple yet useful new class. Consider the following interface describing the methods for a simple double ended queue (or deque): public interface SimpleDeque { public void addFront(Object X); // Add Object X at front of list
  • 9. public void addRear(Object X); // Add Object X at rear of list // If array is full, add methods should do nothing public Object removeFront(); // Remove and return Object X from // front of list public Object removeRear(); // Remove and return Object X from // rear of list // If array is empty, remove methods should return null public boolean isEmpty(); // Return true if the list is empty // Return false otherwise } A queue has the behavior such that items are added at the rear and removed from the front, thereby giving a First In First Out (FIFO) access to the items added and subsequently removed from the list. No other manipulations of the data are permitted (for example, we cannot add or remove anywhere in the middle). Looking at it "in reverse", we could add new items at the front of the queue and remove them from the rear. This is still providing FIFO access, but just from a different point of view. Now consider both adding and removing items at the rear of the list (without ever accessing the front). This is called stack access and gives us Last In First Out (LIFO) access to the items (the data is removed in reverse order). The same behavior occurs if we both add and remove at the front without ever accessing the rear of the list. The simple deque above is expressed as an interface rather than a class, because we are not describing the data or how it is represented -- we are simply describing its access behavior. However, to actually build a working deque, we need a class that implements the interface
  • 10. above. For example: public class MyDeque implements SimpleDeque { Object [] theData; int numItems; public MyDeque(int maxItems) { theData = new Object[maxItems]; numItems = 0; } // Implementation of the five methods of SimpleDeque, plus // perhaps other methods as well } Note that the implementation above uses an array of Object to store the items in the deque. Since Object is the base class to all other Java classes, an array of Object can thus be used to store any Java class types (we can even store primitive values if we utilize their wrapper classes). Also note that nothing in the SimpleDeque interface requires an array to be used to store the data. You will see in your CS 0445 course that a linked list may in fact be a better implementation than an array in this case. However, for this implementation we will use an array because it is simple and easy to understand. Another important thing to notice about the partial implementation above is that the size of the array used is not equal to the number of items in the deque. The number of items in the deque is maintained in the separate int variable numItems. Since Java array sizes are fixed once the array object is created, to avoid having to recreate new array objects with each add or removal we
  • 11. simply allocate an array that is some reasonable size (specified by the parameter in the constructor) when we create the deque. At that time we also set numItems to zero since there are no actual items in the deque. We then increment numItems with each addition and decrement numItems with each removal. This is the same maintenance technique used in the MovieDB class of Lab 7. As we discussed in lecture, and as you did in Assignment 3, when the array fills we could copy the data into a new, larger array. However, in this case, to keep things simple, we will not resize the array and simply not allow any new items to be added once the array fills. Adding or removing at the rear of the array is a relatively simple process -- to add we simply put the new object in location numItems and then increment numItems. To remove we store the last item in a temp object, decrement numItems and then return the item. It is probably a good idea to also set the location back to null before returning. Adding or removing at the front of the array is a bit more complicated. For this simple implementation we will do it in the following way: addFront -- move objects in locations 0..numItems-1 over one spot to "the right" (i.e. into locations 1..numItems), then put the new object into location 0 and increment numItems. For example, given the array below of length 9 with 6 items in it, doing an addFront of 25 will have the effect shown in the three lines below: 0 1 2 3
  • 14. 10 40 20 80 removeFront -- store the object in location 0 in a temp variable, then move objects in locations 1..numItems-1 over one spot to "the left" (i.e. into locations 0..numItems-2). Set location numItems-1 to null, decrement numItems and return the temp object. In effect, you are doing the opposite of what is shown in the addFront above. Note that the addFront and removeFront methods as described above are not implemented in the most efficient manner. If you take CS 0445 you will likely discuss better ways of implementing these methods. Also note the special cases for inserting into a full list (do nothing in this case) and for removing from an empty list (return null in this case). Program For this lab you will complete the MyDeque class so that it works with the simple test program Lab9.java (http://people.cs.pitt.edu/~ramirez/cs401/labs/Lab9.java). An outline of MyDeque.java (http://people.cs.pitt.edu/~ramirez/cs401/labs/MyDeque.java) is provided for you to complete. Make sure you handle the special cases shown. You will also need SimpleDeque.java
  • 15. (http://people.cs.pitt.edu/~ramirez/cs401/labs/SimpleDeque.java), in which the interface is defined. Download all three files onto your account through the links provided or through the AFS file system. Then complete MyDeque.java, and compile and run Lab9.java so that it works correctly. The output of your program should be: Lab9> java Lab9 Stack adds and removes at rear Marge Ingmar Ingrid Bertha Herb Queue adds at rear and removes at front 0 1 2 3 4 Queue adds at front and removes at rear 0.0 2.0 4.0 6.0 8.0 10.0 12.0 14.0 Grading and Submission Demonstrate that your MyDeque class works correctly by running the Lab9.java program for your TA. Be ready to show your code to your TA as well. There will be 4 raw points for this lab, broken down in the following way. addFront() method – 1 point removeFront() method – 1 point addRear() method – 1 point removeRear() method – 1 point Note that your program must work with the provided driver program in order to receive credit for these items. The 4 raw points will be normalized to give this lab equal weight to the other labs in the CS 401 course. Notes and Hints
  • 16. Shifting the items in the array to allow the addFront() and removeFront() operations is not hard, but it IS tricky. I recommend tracing it with a pencil and paper before coding it in your class. Be especially careful with the order that you move the items. Introduction and Background In recent lectures we discussed using arrays, classes and interfaces (see newly added course notes if you want to read ahead about interfaces – we will cover them this week in lecture). In this lab you will utilize all of these topics to build a simple yet useful new class. Consider the following interface describing the methods for a simple double ended queue (or deque): public interface SimpleDeque { public void addFront(Object X); // Add Object X at front of list public void addRear(Object X); // Add Object X at rear of list // If array is full, add methods should do nothing public Object removeFront(); // Remove and return Object X from // front of list public Object removeRear(); // Remove and return Object X from // rear of list // If array is empty, remove methods should return null public boolean isEmpty(); // Return true if the list is empty // Return false otherwise
  • 17. } A queue has the behavior such that items are added at the rear and removed from the front, thereby giving a First In First Out (FIFO) access to the items added and subsequently removed from the list. No other manipulations of the data are permitted (for example, we cannot add or remove anywhere in the middle). Looking at it "in reverse", we could add new items at the front of the queue and remove them from the rear. This is still providing FIFO access, but just from a different point of view. Now consider both adding and removing items at the rear of the list (without ever accessing the front). This is called stack access and gives us Last In First Out (LIFO) access to the items (the data is removed in reverse order). The same behavior occurs if we both add and remove at the front without ever accessing the rear of the list. The simple deque above is expressed as an interface rather than a class, because we are not describing the data or how it is represented -- we are simply describing its access behavior. However, to actually build a working deque, we need a class that implements the interface above. For example: public class MyDeque implements SimpleDeque { Object [] theData; int numItems; public MyDeque(int maxItems) { theData = new Object[maxItems]; numItems = 0; } // Implementation of the five methods of SimpleDeque, plus // perhaps other methods as well
  • 18. } Note that the implementation above uses an array of Object to store the items in the deque. Since Object is the base class to all other Java classes, an array of Object can thus be used to store any Java class types (we can even store primitive values if we utilize their wrapper classes). Also note that nothing in the SimpleDeque interface requires an array to be used to store the data. You will see in your CS 0445 course that a linked list may in fact be a better implementation than an array in this case. However, for this implementation we will use an array because it is simple and easy to understand. Another important thing to notice about the partial implementation above is that the size of the array used is not equal to the number of items in the deque. The number of items in the deque is maintained in the separate int variable numItems. Since Java array sizes are fixed once the array object is created, to avoid having to recreate new array objects with each add or removal we simply allocate an array that is some reasonable size (specified by the parameter in the constructor) when we create the deque. At that time we also set numItems to zero since there are no actual items in the deque. We then increment numItems with each addition and decrement numItems with each removal. This is the same maintenance technique used in the MovieDB class of Lab 7. As we discussed in lecture, and as you did in Assignment 3, when the array fills we could copy the data into a new, larger array. However, in this case, to keep things simple, we will not resize the array and simply not allow any new items to be added once the array fills. Adding or removing at the rear of the array is a relatively simple process -- to add we simply put the new object in location numItems and then increment numItems. To remove we store the last item in a temp object, decrement numItems and then return the item. It is probably a good idea to also set the location back to null before returning. Adding or removing at the front of the array is a bit more complicated. For this simple implementation we will do it in the following way:
  • 19. addFront -- move objects in locations 0..numItems-1 over one spot to "the right" (i.e. into locations 1..numItems), then put the new object into location 0 and increment numItems. For example, given the array below of length 9 with 6 items in it, doing an addFront of 25 will have the effect shown in the three lines below: 0 1 2 3 4 5 6 7 8 50
  • 21. 20 80 25 50 30 10 40 20 80 removeFront -- store the object in location 0 in a temp variable, then move objects in locations
  • 22. 1..numItems-1 over one spot to "the left" (i.e. into locations 0..numItems-2). Set location numItems-1 to null, decrement numItems and return the temp object. In effect, you are doing the opposite of what is shown in the addFront above. Note that the addFront and removeFront methods as described above are not implemented in the most efficient manner. If you take CS 0445 you will likely discuss better ways of implementing these methods. Also note the special cases for inserting into a full list (do nothing in this case) and for removing from an empty list (return null in this case). Program For this lab you will complete the MyDeque class so that it works with the simple test program Lab9.java (http://people.cs.pitt.edu/~ramirez/cs401/labs/Lab9.java). An outline of MyDeque.java (http://people.cs.pitt.edu/~ramirez/cs401/labs/MyDeque.java) is provided for you to complete. Make sure you handle the special cases shown. You will also need SimpleDeque.java (http://people.cs.pitt.edu/~ramirez/cs401/labs/SimpleDeque.java), in which the interface is defined. Download all three files onto your account through the links provided or through the AFS file system. Then complete MyDeque.java, and compile and run Lab9.java so that it works correctly. The output of your program should be: Lab9> java Lab9 Stack adds and removes at rear Marge Ingmar Ingrid Bertha Herb Queue adds at rear and removes at front 0 1 2 3 4 Queue adds at front and removes at rear
  • 23. 0.0 2.0 4.0 6.0 8.0 10.0 12.0 14.0 Grading and Submission Demonstrate that your MyDeque class works correctly by running the Lab9.java program for your TA. Be ready to show your code to your TA as well. There will be 4 raw points for this lab, broken down in the following way. addFront() method – 1 point removeFront() method – 1 point addRear() method – 1 point removeRear() method – 1 point Note that your program must work with the provided driver program in order to receive credit for these items. The 4 raw points will be normalized to give this lab equal weight to the other labs in the CS 401 course. Notes and Hints Shifting the items in the array to allow the addFront() and removeFront() operations is not hard, but it IS tricky. I recommend tracing it with a pencil and paper before coding it in your class. Be especially careful with the order that you move the items. Solution Code: package lab9; public class MyDeque implements SimpleDeque { Object [] theData; int numItems; public MyDeque(int maxItems) { theData = new Object[maxItems]; numItems = 0;
  • 24. } public boolean isEmpty() { return (numItems == 0); } public void addFront(Object X) { // Add new item at front of list (shifting old items // to right first). If the list is full, do not add // the item (just do nothing). if (X == null) throw new IllegalArgumentException("item must be non-null"); System.out.println(numItems); if (numItems == theData.length) return; // no more room! else { for(int i=numItems-1;i>=0;i--) theData[i+1]=theData[i]; theData[0]=X; numItems++; } } public void addRear(Object X) { // Add new item at rear of list. If the list is full, // do not add the item (just do nothing). if (numItems == theData.length) return; // no more room! else { theData[numItems]=X; numItems++; } }
  • 25. public Object removeFront() { // Remove and return front item from list, shifting remaining // items to the left to fill the spot. If list is empty, // return null. if (numItems ==0) { //System.out.println("Empty"); return null;// no more room! } else { Object x=theData[0]; for(int i=0;i