|
|
Handling Errors Using Exceptions |
ListOfNumbers Example (
The following example defines and implements a class namedListOfNumbers. TheListOfNumbersclass calls two methods from classes in the Java packages that can throw exceptions.Upon construction,import java.io.*; import java.util.Vector; class ListOfNumbers { private Vector victor; final int size = 10; public ListOfNumbers () { int i; victor = new Vector(size); for (i = 0; i < size; i++) victor.addElement(new Integer(i)); } public void writeList() { PrintStream pStr = null; System.out.println("Entering try statement"); int i; pStr = new PrintStream( new BufferedOutputStream( new FileOutputStream("OutFile.txt"))); for (i = 0; i < size; i++) pStr.println("Value at: " + i + " = " + victor.elementAt(i)); pStr.close(); } }ListOfNumberscreates aVectorthat contains tenIntegerelements with sequential values 0 through 9. TheListOfNumbersclass also defines a method namedwriteListthat writes the list of numbers into a text file calledOutFile.txt.The
writeListmethod calls two methods that can throw exceptions. First, the following line invokes the constructor for FileOutputStream, which throws an IOException if the file cannot be opened for any reason:pStr = new PrintStream(new BufferedOutputStream(new FileOutputStream("OutFile.txt")));Second, the
Vectorclass'selementAtmethod throws anArrayIndexOutOfBoundsException if you pass in an index whose value is too small (a negative number) or too large (larger than the number of elements currently contained by theVector). Here's howListOfNumbersinvokeselementAt:pStr.println("Value at: " + i + " = " + victor.elementAt(i));If you try to compile the
ListOfNumbersclass, the compiler prints an error message about the exception thrown by theFileOutputStreamconstructor, but does not display an error message about the exception thrown byelementAt. This is because the exception thrown by theFileOutputStreamconstructor,IOException, is a checked exception and the exception thrown by theelementAtmethod,ArrayIndexOutOfBoundsException, is a runtime exception. Java requires that you catch or specify only checked exceptions. For more information, refer to Java's Catch or Specify Requirement.The next section, Catching and Handling Exceptions, will show you how to write an exception handler for the
ListOfNumbers'writeListmethod.Following that, a section named Specifying the Exceptions Thrown By a Method will show you how to specify that the
ListOfNumbers'writeListmethod throws the exceptions instead of catching them.
|
|
Handling Errors Using Exceptions |