PrintArray Method

From CompSciWiki
Revision as of 00:11, 9 April 2010 by TimC (Talk | contribs)

Jump to: navigation, search

Back to the Program-A-Day homepage

Problem

Today we'll look at sending an array to another method.


Pretend you're a computer science professor. You have a program which (uses arrays to store) the names of all the students in each of your classes, (one array for each class). How would you go about printing the contents of each of these arrays?


The most obvious way to print out your arrays would be to copy and paste a loop into your main method to print each of the arrays. Unfortunately, that would use a lot of redundant code. Think about it. You'd be writing a for loop for each array that you'd want to print out. By this method, if you've got two arrays to print, you'd need two loops to print them. If you have ten arrays, you'll need ten loops. If you've got one hundred arrays, you'll need one hundred loops. It's just not good coding.


So, back to our imaginary situation where you're a computer science professor. You've got your program set up with three arrays of Strings, representing the COMP 1010, COMP 1020, and COMP 1260 classes, respectively:

public class PrintArray{

	public static void main (String [] args){
                //class list for comp 1010
		String [] comp1010 = { "Adam", "Bob", "Carl", "David", "Edward"};	
                //class list for comp 1020
		String [] comp1020 = { "Amy", "Beth", "Cindy", "Dawn", "Ellen"};
	        //class list for comp 1260
		String [] comp1260 = { "Mike", "Mary", "Matthew", "Megan", "Moe"};		
        }
}

Now add to this code by writing a method which will take an array of Strings as an input. Inside this method you want to print out the entire contents of the array. This method should be void, as you are not returning anything.

 

Arrays and Methods

Wiki chars01.jpg


Solution

Write a method that takes an array as an input and loops through it, printing out each element as it goes! It's an easy solution, and once you've got your method written you can easily print another array by just adding one more line of code (a method call!) to your program.

Code

Solution Code

Back to the Program-A-Day homepage