Section 8.3
Vectors and Dynamic Arrays


THE SIZE OF AN ARRAY is fixed when it is created. In many cases, however, the number of data items that are actually stored in the array varies with time. Consider the following examples: An array that stores the lines of text in a word-processing program. An array that holds the list of computers that are currently downloading a page from a Web site. An array that contains the shapes that have been added to the screen by the user of a drawing program. Clearly, we need some way to deal with cases where the number of data items in an array is not fixed.


Partially Full Arrays

Consider an application where the number of items that we want to store in an array changes as the program runs. Since the size of the array can't actually be changed, a separate counter variable must be used to keep track of how many spaces in the array are in use. (Of course, every space in the array has to contain something; the question is, how many spaces contain useful or valid items?)

Consider, for example, a program that reads positive integers entered by the user and stores them for later processing. The program stops reading when the user inputs a number that is less than or equal to zero. The input numbers can be kept in an array, numbers, of type int[]. Let's say that no more than 100 numbers will be input. Then the size of the array can be fixed at 100. But the program must keep track of how many numbers have actually been read and stored in the array. For this, it can use an integer variable, numCt. Each time a number is stored in the array, numCt must be incremented by one. As a rather silly example, let's write a program that will read the numbers input by the user and then print them in reverse order. (This is, at least, a processing task that requires that the numbers be saved in an array. Remember that many types of processing, such as finding the sum or average or maximum of the numbers, can be done without saving the individual numbers.)

     public class ReverseInputNumbers {
     
        public static void main(String[] args) {
        
          int[] numbers;  // An array for storing the input values.
          int numCt;      // The number of numbers saved in the array.
          int num;        // One of the numbers input by the user.
          
          numbers = new int[100];   // Space for 100 ints.
          numCt = 0;                // No numbers have been saved yet.
          
          TextIO.putln("Enter up to 100 positive integers; enter 0 to end.");
          
          while (true) {   // Get the numbers and put them in the array.
             TextIO.put("? ");
             num = TextIO.getlnInt();
             if (num <= 0)
                break;
             numbers[numCt] = num;
             numCt++;
          }
          
          TextIO.putln("\nYour numbers in reverse order are:\n");
          
          for (int i = numCt - 1; i >= 0; i--) {
              TextIO.putln( numbers[i] );
          }
          
        } // end main();
        
     }  // end class ReverseInputNumbers

It is especially important to note that the variable numCt plays a dual role. It is the number of numbers that have been entered into the array. But it is also the index of the next available spot in the array. For example, if 4 numbers have been stored in the array, they occupy locations number 0, 1, 2, and 3. The next available spot is location 4. When the time comes to print out the numbers in the array, the last occupied spot in the array is location numCt - 1, so the for loop prints out values starting from location numCt - 1 and going down to 0.

Let's look at another, more realistic example. Suppose that you write a game program, and that players can join the game and leave the game as it progresses. As a good object-oriented programmer, you probably have a class named Player to represent the individual players in the game. A list of all players who are currently in the game could be stored in an array, playerList, of type Player[]. Since the number of players can change, you will also need a variable, playerCt, to record the number of players currently in the game. Assuming that there will never be more than 10 players in the game, you could declare the variables as:

         Player[] playerList = new Player[10];  // Up to 10 players.
         int      playerCt = 0;  // At the start, there are no players.

After some players have joined the game, playerCt will be greater than 0, and the player objects representing the players will be stored in the array elements playerList[0], playerList[1], ..., playerList[playerCt-1]. Note that the array element playerList[playerCt] is not in use. The procedure for adding a new player, newPlayer, to the game is simple:

         playerList[playerCt] = newPlayer; // Put new player in next
                                           //     available spot.
         playerCt++;  // And increment playerCt to count the new player.

Deleting a player from the game is a little harder, since you don't want to leave a "hole" in the array. Suppose you want to delete the player at index k in playerList. If you are not worried about keeping the players in any particular order, then one way to do this is to move the player from the last occupied position in the array into position k and then to decrement the value of playerCt:

         playerList[k] = playerList[playerCt - 1];
         playerCt--;

The player previously in position k is no longer in the array. The player previously in position playerCt - 1 is now in the array twice. But it's only in the occupied or valid part of the array once, since playerCt has decreased by one. Remember that every element of the array has to hold some value, but only the values in positions 0 through playerCt - 1 will be looked at or processed in any way.

Suppose that when deleting the player in position k, you'd like to keep the remaining players in the same order. (Maybe because they take turns in the order in which they are stored in the array.) To do this, all the players in positions k+1 and above must move down one position in the array. Player k+1 replaces player k, who is out of the game. Player k+2 fills the spot left open when player k+1 moved. And so on. The code for this is

         for (int i = k+1; i < playerCt; i++) {
             playerList[i-1] = playerList[i];
         }
         playerCt--;

It's worth emphasizing that the Player example deals with an array whose base type is a class. An item in the array is either null or is a reference to an object belonging to the class, Player. The Player objects themselves are not really stored in the array, only references to them. Note that because of the rules for assignment in Java, the objects can actually belong to subclasses of Player. Thus there could be different classes of Players such as computer players, regular human players, players who are wizards, ..., all represented by different subclasses of Player.

As another example, suppose that a class Shape represents the general idea of a shape drawn on a screen, and that it has subclasses to represent specific types of shapes such as lines, rectangles, rounded rectangles, ovals, filled-in ovals, and so forth. (Shape itself would be an abstract class, as discussed in Section 5.4.) Then an array of type Shape[] can hold references to objects belonging to the subclasses of Shape. For example, the situation created by the statements

       Shape[] shapes = new Shape[100]; // Array to hold up to 100 shapes.
       shapes[0] = new Rect();          // Put some objects in the array.
       shapes[1] = new Line();          //     (A real program would
       shapes[2] = new FilledOval();    //      use some parameters here.)
       int shapeCt = 3;  // Keep track of number of objects in array.

could be illustrated as:

(Array containing references to three objects)

Such an array would be useful in a drawing program. The array could be used to hold a list of shapes to be displayed. If the Shape class includes a method, "void redraw(Graphics g)" for drawing the shape in a graphics context g, then all the shapes in the array could be redrawn with a simple for loop:

            for (int i = 0; i < shapeCt; i++)
               shapes[i].redraw(g);

The statement "shapes[i].redraw(g);" calls the redraw() method belonging to the particular shape at index i in the array. Each object knows how to redraw itself, so that repeated executions of the statement can produce a variety of different shapes on the screen. This is nice example both of polymorphism and of array processing.


Dynamic Arrays

In each of the above examples, an arbitrary limit was set on the number of items -- 100 ints, 10 Players, 100 Shapes. Since the size of an array is fixed, a given array can only hold a certain maximum number of items. In many cases, such an arbitrary limit is undesirable. Why should a program work for 100 data values, but not for 101? The obvious alternative of making an array that's so big that it will work in any practical case is not usually a good solution to the problem. It means that in most cases, a lot of computer memory will be wasted on unused space in the array. That memory might be better used for something else. And what if someone is using a computer that could handle as many data values as the user actually wants to process, but doesn't have enough memory to accommodate all the extra space that you've allocated?

Clearly, it would be nice if we could increase the size of an array at will. This is not possible, but what is possible is just as good. Remember that an array variable does not actually hold an array. It just holds a reference to an array object. We can't make the array bigger, but we can make a new, bigger array object and change the value of the array variable so that it refers to the bigger array. Of course, we also have to copy the contents of the old array into the new array. The array variable then refers to an array object that contains all the data of the old array, with room for additional data. The old array will be garbage collected, since it is no longer in use.

Let's look back at the game example, in which playerList is an array of type Player[] and playerCt is the number of spaces that have been used in the array. Suppose that we don't want to put a pre-set limit on the number of players. If a new player joins the game and the current array is full, we just make a new, bigger one. The same variable, playerList, will refer to the new array. Note that after this is done, playerList[0] will refer to a different memory location, but the value stored in playerList[0] will still be the same as it was before. Here is some code that will do this:

         // Add a new player, even if the current array is full.
         
         if (playerCt == playerList.length) {
                 // Array is full.  Make a new, bigger array,
                 // copy the contents of the old array into it,
                 // and set playerList to refer to the new array.
            int newSize = 2 * playerList.length;  // Size of new array.
            Player[] temp = new Player[newSize];  // The new array.
            System.arraycopy(playerList, 0, temp, 0, playerList.length);
            playerList = temp;  // Set playerList to refer to new array.
         }
         
         // At this point, we KNOW there is room in the array.
         
         playerList[playerCt] = newPlayer; // Add the new player...
         playerCt++;                       //    ...and count it.

If we are going to be doing things like this regularly, it would be nice to define a reusable class to handle the details. An array-like object that changes size to accommodate the amount of data that it actually contains is called a dynamic array. A dynamic array supports the same operations as an array: putting a value at a given position and getting the value that is stored at a given position. But there is no upper limit on the positions that can be used (except those imposed by the size of the computer's memory). In a dynamic array class, the put and get operations must be implemented as instance methods. Here, for example, is a class that implements a dynamic array of ints:

    public class DynamicArrayOfInt {
    
       private int[] data;  // An array to hold the data.
       
       public DynamicArrayOfInt() {
              // Constructor.
          data = new int[1];  // Array will grow as necessary.
       }
       
       public int get(int position) {
             // Get the value from the specified position in the array.
             // Since all array positions are initially zero, when the
             // specified position lies outside the actual physical size
             // of the data array, a value of 0 is returned.
          if (position >= data.length)
             return 0;
          else
             return data[position];
       }
       
       public void put(int position, int value) {
             // Store the value in the specified position in the array.
             // The data array will increase in size to include this
             // position, if necessary.
          if (position >= data.length) {
                 // The specified position is outside the actual size of
                 // the data array.  Double the size, or if that still does
                 // not include the specified position, set the new size
                 // to 2*position. 
             int newSize = 2 * data.length;
             if (position >= newSize)
                newSize = 2 * position;
             int[] newData = new int[newSize];
             System.arraycopy(data, 0, newData, 0, data.length);
             data = newData;
                 // The following line is for demonstration purposes only.
             System.out.println("Size of dynamic array increased to " 
                                                                + newSize);
          }
          data[position] = value;
       }
    
    } // end class DynamicArrayOfInt

The data in a DynamicArrayOfInt object is actually stored in a regular array, but that array is discarded and replaced by a bigger array whenever necessary. If numbers is a variable of type DynamicArrayOfInt, then the command numbers.put(pos,val) stores the value val at position number pos in the dynamic array. The function numbers.get(pos) returns the value stored at position number pos.

The first example in this section used an array to store positive integers input by the user. We can rewrite that example to use a DynamicArrayOfInt. A reference to numbers[i] is replace by numbers.get(i). The statement "numbers[numCt] = num;" is replaced by "numbers.put(numCt,num);". Here's the program:

    public class ReverseWithDynamicArray {
    
       public static void main(String[] args) {
      
          DynamicArrayOfInt numbers;  // To hold the input numbers.
          int numCt;  // The number of numbers stored in the array.
          int num;    // One of the numbers input by the user.
        
          numbers = new DynamicArrayOfInt();
          numCt = 0;
        
          TextIO.putln("Enter some positive integers; Enter 0 to end");
          while (true) {  // Get numbers and put them in the dynamic array.
             TextIO.put("? ");
             num = TextIO.getlnInt();
             if (num <= 0)
                break;
             numbers.put(numCt, num);  // Store num in the dynamic array.
             numCt++;
          }
        
          TextIO.putln("\nYour numbers in reverse order are:\n");
        
          for (int i = numCt - 1; i >= 0; i--) {
              TextIO.putln( numbers.get(i) );  // Print the i-th number.
          }
        
       } // end main();
      
    }  // end class ReverseWithDynamicArray

The following applet simulates this program. I've included an output statement in the DynamicArrayOfInt class. This statement will inform you each time the data array increases in size. (Of course, the output statement doesn't really belong in the class. It's included here for demonstration purposes.)

Sorry, but your browser
doesn't support Java.


Vectors

The DynamicArrayOfInt class could be used in any situation where an array of int with no preset limit on the size is needed. However, if we want to store Shapes instead of ints, we would have to define a new class to do it. That class, probably named "DynamicArrayOfShape", would look exactly the same as the DynamicArrayOfInt class except that everywhere the type "int" appears, it would be replaced by the type "Shape". Similarly, we could define a DynamicArrayOfDouble class, a DynamicArrayOfPlayer class, and so on. But there is something a little silly about this, since all these classes are close to being identical. It would be nice to be able to write some kind of source code, once and for all, that could be used to generate any of these classes on demand, given the type of value that we want to store. This would be an example of generic programming. Some programming languages, such as C++, have support for generic programming. Java does not. The closest we can come in Java is to use the type Object.

In Java, every class is a subclass of the class named Object. This means that every object can be assigned to a variable of type Object. Any object can be put into an array of type Object[]. If a subroutine has a formal parameter of type Object, than any object can be passed to the subroutine as an actual parameter. If we defined a DynamicArrayOfObject class, then we could store objects of any type. This is not true generic programming, and it doesn't apply to the primitive types such as int and double. But it does come close. In fact, there is no need for us to define a DynamicArrayOfObject class. Java already has a standard class named Vector that serves much the same purpose. The Vector class is in the package java.util, so if you want to use the Vector class in a program, you should put the directive "import java.util.*;" or "import java.util.Vector;" at the beginning of your source code file.

The Vector class differs from my DynamicArrayOfInt class in that a Vector object always has a definite size, and it is illegal to refer to a position in the Vector that lies outside its size. In this, a Vector is more like a regular array. However, the size of a Vector can be increased at will, and it increases automatically in certain cases. The Vector class defines many instance methods. I'll describe some of the most useful. Suppose that vec is a variable of type Vector.

vec.size() -- This function returns the current size of the vector. Valid positions in the vector are between 0 and vec.size() - 1. Note that the size can be zero, and it is zero when a vector is first created.

vec.addElement(obj) -- Adds an object onto the end of the vector, increasing the size of the vector by 1. The parameter, obj, can refer to an object of any type.

vec.elementAt(N) -- This function returns the value stored at position N in the vector. N must be an integer in the range 0 to vec.size() - 1. If N is outside this range, an error occurs.

vec.setElementAt(obj, N) -- Assigns the object, obj, to position N in the vector, replacing the item previously stored at position N. The integer N must be in the range from 0 to vec.size() - 1.

vec.insertElementAt(obj, N) -- Moves all the items in the vector in positions N and above up one position, and then assigns the object, obj, to position N. The integer N must be in the range from 0 to vec.size(). The size of the vector increases by 1.

vec.removeElement(obj) -- If the specified object occurs somewhere in the vector, it is removed from the vector. Any items in the vector that come after the removed item are moved down one position. The size of the vector decreases by 1. The value of the parameter, obj, must not be null.

vec.removeElementAt(N) -- Deletes the element at position N in the vector. N must be in the range 0 to vec.size() - 1. Items in the vector that come after position N are moved down one position. The size of the vector decreases by 1.

vec.setSize(N) -- Changes the size of the vector to N, where N must be an integer greater than or equal to zero. If N is bigger than the current size of the vector, new elements are added to the vector and filled with nulls. If N is smaller than the current size, then the extra elements are removed from the end of the vector.

vec.indexOf(obj, start) -- A function that searches for the object, obj, in the vector, starting at position start. If the object is found in the vector at or after position start, then the position number where it is found is returned. If the object is not found, then -1 is returned. The second parameter can be omitted, and the search will start at position 0.

For example, suppose again that players in a game are represented by objects of type Player. The players currently in the game could be stored in a Vector named players. This variable would be declared as

            Vector players;

and initialized to refer to a new, empty Vector object with

            players = new Vector();

If newPlayer is a variable that refers to a Player object, the new player would be added to the game by saying

            players.addElement(newPlayer);

and if player number i leaves the game, it is only necessary to say

            players.removeElementAt(i);

All this works very nicely. The only slight difficulty arises when you use the function players.elementAt(i) to get the value stored at position i in the vector. The return type of this function is Object. In this case the object that is returned by the function is actually of type Player. In order to do anything useful with the returned value, it's usually necessary to typecast it to type Player:

            Player plr = (Players)players.elementAt(i);

For example, if the Player class includes an instance method makeMove() that is called to allow a player to make a move in the game, then the code for letting all the players move is

           for (int i = 0;  i < players.size();  i++) {
               Player plr = (Players)players.elementAt(i);
               plr.makeMove();
           }

In Section 5.4, I displayed an applet, ShapeDraw, that uses vectors. Here is another version of the same idea, simplified to make it easier to see how vectors are being used. Right-click the large white canvas to add a colored rectangle. (On a Macintosh, Command-click the canvas.) The color of the rectangle is given by the "rainbow palette" along the bottom of the applet. Click the palette to select a new color. Click and drag rectangles with the left mouse button. Hold down the Alt or Option key and click on a rectangle to delete it. Shift-click a rectangle to move it out in front of all the other rectangles.

Sorry, but your browser
doesn't support Java.

The source code for this applet is in the file SimpleDrawRects.java. You should be able to follow it in its entirety, if you've read Chapter 7. Here, I just want to look at the parts of the program that use a vector.

The applet uses a variable named rects, of type Vector, to hold information about the rectangles that have been added to the drawing area. The objects that are stored in the vector belong to a class, ColoredRect, that is defined as

           class ColoredRect {
                  // Holds data for one colored rectangle.
              int x,y;           // Upper left corner of the rectangle.
              int width,height;  // size of the rectangle.  
              Color color;       // Color of the rectangle.
           }

If g is a variable of type Graphics, then the following code draws all the rectangles in the vector rects (with a black outline around each rectangle, as shown in the applet):

           for (int i = 0;  i < rects.size();  i++) {
              ColoredRect rect = (ColoredRect)rects.elementAt(i);
              g.setColor( rect.color );
              g.fillRect( rect.x, rect.y, rect.width, rect.height);
              g.setColor( Color.black );
              g.drawRect( rect.x, rect.y, rect.width - 1, rect.height - 1);
           }

To implement all the mouse operations in the applet, it must be possible to find the rectangle, if any, that contains the point where the user clicked the mouse. To do this, I wrote the function

          ColoredRect findRect(int x, int y) {
                  // Find the topmost rect that contains the point (x,y).
                  // Return null if no rect contains that point.  The 
                  // rects in the Vector are considered in reverse order
                  // so that if one lies on top of another, the one on top
                  // is seen first and is the one that is returned.
                  
             for (int i = rects.size() - 1;  i >= 0;  i--) {
                ColoredRect rect = (ColoredRect)rects.elementAt(i);
                if ( x >= rect.x && x < rect.x + rect.width
                         && y >= rect.y && y < rect.y + rect.height )
                return rect;  // (x,y) is inside this rect.
             }
             
             return null;  // No rect containing (x,y) was found.
             
          }

The code for removing a ColoredRect, rect, from the canvas is simply rects.removeElement(rect) (followed by a repaint()). Bringing a given rectangle out in front of all the other rectangles is just a little harder. Since the rectangles are drawn in the order in which they occur in the vector, the rectangle that is in the last position in the vector is in front of all the other rectangles on the screen. So we need to move the rectangle to the last position in the vector. This is done by removing the rectangle from its current position in the vector and then adding it back at the end:

          void bringToFront(ColoredRect rect) {
                  // If rect != null, move it out in front of the other
                  // rects by moving it to the last position in the Vector.
             if (rect != null) {
                rects.removeElement(rect); 
                rects.addElement(rect);    
                repaint();
             }
          }

This should be enough to give you the basic idea. You can look in the source code for more details.

As these examples show, Vectors can be very useful. The package java.util also includes a few other classes for working with Objects. We'll look at some of them in later chapters.


[ Next Section | Previous Section | Chapter Index | Main Index ]