9. Classes
Luminous beings are we, not this crude matter.
9.1. Problem: Nested expressions
How does the compiler check the Java code that you write and find errors? Parsing and type checking are involved processes that are key parts of compiler design. Compilers are some of the most complex programs of any kind, and building one is beyond the scope of the material covered in this book. However, we can get insight into some problems faced by compiler designers by considering the problem of correctly nested expressions.
There are many rules for forming correct Java code, but it’s always the
case that grouping symbols ((, ), [, ], {, }) must be correctly
nested. Ignoring other symbols, we may find a section of code that
contains the sequence ( ) [ ], but correctly written code never
contains ( [ ) ].
To be correctly nested, left and right parentheses must be balanced, left and right square brackets must be balanced, and left and right curly braces must be balanced. Furthermore, a correctly balanced set of parentheses can be nested inside of a correctly balanced set of square brackets or curly braces (and vice versa), but they cannot intersect as they do at the end of the previous paragraph. The table below shows more examples of correctly and incorrectly nested expressions.
| Correctly Nested | Incorrectly Nested | 
|---|---|
| ( | |
| (){} | }{ | 
| ((abc)){x} | ( a { b ) c } | 
| ({[z]}) | {abc( | 
| ({xyz})({ijk}[123]) | {(333)888(}) | 
But how can we examine an expression to see if it’s correctly nested? The key to solving this problem is the idea of a stack. A stack is a simple data structure with three operations: push, pop, and top. The data structure is meant to behave like a stack of books or cups or any other physical objects. When you use the push operation, you’re moving something to the top of the stack. When you use the pop operation, you’re taking something off the top of the stack. The top operation is used to read what’s currently at the top of the stack. In a stack, you can only read that very topmost item, as if all the other items were buried underneath it. A stack is known as a FILO (first in, last out) or a LIFO (last in, first out) data structure because, if you push a series of items onto the stack and then pop them all off the stack, they come off the stack in the reverse order from how they were added.
Armed with an understanding of the stack, it is straightforward to see if an expression is nested correctly. Scan through each character in the input and follow these steps.
- 
If it’s a left parenthesis, left square bracket, or left curly brace, put it on the stack. 
- 
If it’s a right parenthesis, right square bracket, or right curly brace, check that the top of the stack is its matching left half. If it is, pop the left half off the stack. If it isn’t (or if the stack is empty), the grouping symbols are either unbalanced or intersecting. Print an error and quit. 
- 
For any character that isn’t a grouping symbol, ignore it and move on. 
If you reach the end of input without an error, check to see if the stack is empty. If it is, then all of the left grouping symbols have been matched up with right grouping symbols. If not, there are left symbols left on the stack, and the expression isn’t correctly nested.
9.2. Concepts: Object-oriented programming
To solve the nested expressions problem, we can create a stack data
structure. Each element of the stack should be able to hold a char
value term from an expression, where a term is an operator, operand, or
a parenthesis (bracket or curly brace). Although we could get by using
only the static methods we introduced in the previous chapter, a better
tool can make programming easier.
We’re introducing these topics in a progression: First, all of our
programs were a series of sequential instructions inside of a main()
method. We added in selection statements and loops to solve more
difficult problems. As our programs became more complicated, we started
using additional static methods to divide the program into logical
segments. Now, we’re moving to fully object-oriented programming (OOP)
in which data as well as code can be packaged into objects that interact
with each other.
OOP has been a controversial topic, particularly in the computer science education community. The most important thing to remember is that we’re not throwing away any of the ideas we used before. We’re continuing on a path toward making code safer and more reusable. Several other chapters in this book touch on important ideas in OOP such as inheritance and polymorphism. Below, we’re going to focus on the basics, including the fundamentals of objects, encapsulation of data, and instance (non-static) methods.
9.2.1. Objects
You’ve already used objects, perhaps without realizing it. Every time
you use a String, you’re using an object. So far, we’ve created a
class every time we’ve written a program. A class is a way to organize
static methods, but a class is something more: a template for objects.
Whenever you write a class, the potential to create objects from it
exists.
For a conceptual example, you can think of Human as a class and Albert Einstein as an object (or an instance) of that class. The class defines certain characteristics that all human beings have: name, date of birth, height, and so on. Then, the object has specific values for each one of those characteristics, such as Albert Einstein, March 14, 1879, 175, and so on.
This idea of a class as a template is key because it means that an object of a given type (from a given class) can be used anywhere that’s appropriate for another object of that type. Later in the chapter, we’ll create an object that performs the work of a stack, storing a number of other objects. If we design a library of code that can manipulate or use stack objects, we should be able to use this library countless times for countless different stack objects without changing the code. This kind of code reuse is one of the main goals of OOP.
9.2.2. Encapsulation
In order to guarantee that objects can be used in many different contexts safely, the data inside of the object must be protected. Java provides access modifiers so that code without the appropriate permission can’t change or even read the data inside of an object.
This feature is called encapsulation. One programmer might write the class file defining a type of object while another or many others write code that uses those objects. The programmers who use objects written by others do not need to understand the inner workings of those objects. Instead, they can treat each object as a “black box” with a list of actions that the object can do. Each action has a certain specified input and a certain specified output, but the internal functioning of the object is hidden.
9.2.3. Instance methods
These “actions” are methods but not static ones. Static methods did
not need an object in order to be called. Regular (instance) methods
should be thought of as an action performed on (or by) a specific
object. This action could be asking a question, such as inquiring what
the name of an object of type Human is. This action could be telling the
object to change itself, as in the case of pushing something onto a
stack.
One of the broadest definitions of an object is a collection of data and methods to access that data. We call the data inside of an object its fields or instance data and the methods to access them instance methods. Static methods are used primarily to modularize large blocks of code into smaller functional units. However, instance methods are tightly coupled to the fields of an object and perform tasks that change the object or get information from it.
9.3. Syntax: Classes in Java
OOP concepts such as encapsulation may seem esoteric until you see them in practice. Remember, we just want to create some private data and then define a few carefully controlled ways that the data can be manipulated. First, we’ll describe how to declare fields, then explain how to write instance methods to manipulate that data, and finally give more details about protecting its privacy.
9.3.1. Fields
Fields in an object must be declared like any other data in Java. The
type of a field can be a primitive or reference type. Fields are
also sometimes called member variables. You declare fields just like you
would class variables, except without the static keyword. Here’s an
example with the Human class.
public class Human {
    private String name;
    private String DOB;
    private int height; // in cm
}With this definition, a Human object has three attributes: name,
DOB, and height. Because the access modifier for each field is
private, code outside of this class can’t change or even read the
values. This class can’t do anything yet. Also, it doesn’t contain
a main() method. There’s no way to run
this class, but that’s fine. We could add a main() method, of course.
public class Human {
    private String name;
    private String DOB;
    private int height; // in cm
    public static void main(String[] args) {
        name = "Albert Einstein";
        DOB = "March 14, 1879";
        height = 175;
    }
}Now we’ve added a main() method, but our code doesn’t compile.
Since the main() method is a static method, it is not associated with
any particular object. When we tell the main() method to change the
fields, it doesn’t know what object we’re talking about. If we
actually want to use an object, we’ll have to create one.
public class Human {    
    private String name;
    private String DOB;
    private int height; // in cm 
    public static void main(String[] args) {
        Human einstein = new Human();
        einstein.name = "Albert Einstein";
        einstein.DOB = "March 14, 1879";
        einstein.height = 175;      
    }
}The above code compiles because we’ve used the new keyword to create
an object of type Human saved in a reference variable called
einstein. We can set the fields inside of a particular object using
dot notation. With static methods and static variables, we used the name
of the class followed by a dot, but for instance methods and instance
variables, we use the name of the object followed by a dot. Even
though each of these fields is private, we can access them from main()
because main() is inside the Human class. Code inside of another
class could create a new Human object, but it could not change its
fields.
This juxtaposition of static and non-static fields and methods inside of
a single class is confusing to many new Java programmers. The confusion
seems to stem from the fact that the class (such as Human) is a
template for objects but it’s also a place to house other related code,
such as static methods, including main().
Although the practice is discouraged, we mentioned in
Section 8.3.3 that class variables can be
stored in the class itself. Every object has a distinct copy of each
field, but there’s only a single copy of each class variable that they
all share. By using the keyword static, we could add a class variable
called population to our Human class, since that’s information
connected to humans as a whole, not to any individual human being.
public class Human {
    private String name;
    private String DOB;
    private int height; // in cm
    private static long population = 7714576923;
}We’re using a long to represent the world’s population since the
value is too big to fit in an int. If several Human objects
were created, they would each have their own name, DOB, and height
values, but the value for population would only be stored in the class.
9.3.2. Constructors
To create a new object, you have to invoke a constructor, a special
kind of method that can initialize the object. A constructor sets
up the values inside an object when the object’s first created. Let’s consider
a simple Rectangle class with only two fields: length and width,
both of type int.
public class Rectangle {
    private int length;
    private int width;One possible constructor for the class is given below.
    public Rectangle(int l, int w) {
        length = l;
        width = w;
    }This constructor lets us set the width and length when the object’s
created. To do so, code must invoke the constructor using the new
keyword.
Rectangle rectangle = new Rectangle(50, 20);This code creates a new Rectangle object, with length 50 and width 20.
Constructors are almost always public; otherwise, it would be
impossible for code outside of the Rectangle class to create a
Rectangle object. Note that the definition of the Rectangle
constructor does not have a return type. A constructor is the only kind
of method that doesn’t have a return type. It’s possible to have more
than one constructor as well, just as other methods can be overloaded.
For more information about overloaded methods, refer back to
Section 8.3.1.2.
    public Rectangle(int value) {
        length = value;
        width = value;
    }In the very same class, we could have this second constructor, allowing
us to create a square quickly and easily. All classes have constructors,
but some aren’t written explicitly. If you don’t type out a constructor
for a class, a default one is automatically created for you. The default
constructor takes no parameters and sets all the values inside the new
object to defaults such as null and 0. Once you do create a
constructor, the default one is no longer provided. Thus, since our
definition of the Rectangle class already contains two constructors,
the following line would cause a compiler error if someone tries to use
it in their code.
Rectangle defaultRectangle = new Rectangle();Another important thing to consider with all instance methods is scope. Fields are visible inside of instance methods, but they can be hidden by parameters and other local variables.
    public Rectangle(int length, int width) {
        length = length;
        width = width;
    }This version of the two parameter Rectangle constructor compiles, but
it doesn’t properly initialize the values of the fields length and
width. Instead, the parameters length and width are copied back
into themselves for no reason. The designers of Java anticipated that it
would be useful to refer to fields even in the presence of other
variables with the same name. To do so, the this keyword can be used.
Any field (or method) can be referred to by its object name, followed by
a dot, followed by the name of that field or method. Since you don’t
have a variable name to reference the object when you’re inside of it,
the this keyword acts as a reference to the object.
    public Rectangle(int length, int width) {
        this.length = length;
        this.width = width;
    }This version of the code functions correctly, since we’ve explicitly
told Java to store the argument length into the field length inside
the object pointed at by this and to do similarly for width.
9.3.3. Methods
Objects don’t really come to life until you add instance methods. With
the Rectangle class described above, any Rectangle objects created
would not be useful to other classes because it would be impossible to access their
data. Instead, we want to create a clear and usable relationship between
the fields and the methods.
There are many different kinds of methods, but two of the most important are accessors and mutators.
Accessors
We often want to read the data inside of various objects. With our
current definition of Rectangle, no code from an outside class can
find out the length or width of the rectangle we’re representing.
Accessor methods (or simply accessors) are designed for this task.
By definition, an accessor allows us to read some data or get some
information out of an object without making any changes to its fields.
Accessors can be thought of as asking the object a question. The names
of accessors often start with the word get.
    public int getLength() {
        return length;
    }
    public int getWidth() {
        return width;
    }Here are two accessors methods that we’d expect in the Rectangle
class. The first returns the value of length, and the second returns
the value of width. These methods only report information. They don’t
change the value of either variable. Their syntax should be
self-explanatory. Each is declared to be public so that anyone can
read the length and width of a rectangle. Both methods have a return
type of int because that’s the type used to store length and
width inside a Rectangle object. Neither method has any parameters.
Of course, an accessor doesn’t have to be so simple. An accessor could return a
value that needs to be computed from the underlying field data.
    public int getArea() {
        return length*width;
    }
    public int getPerimeter() {
        return 2*length + 2*width;
    }These accessors compute the area and perimeter, respectively, of the
rectangle in question, even though that data isn’t stored directly in
the Rectangle object.
Mutators
Some objects, such as String values, are immutable objects, meaning
that the data stored inside them cannot be changed after they’ve been
created with a constructor. If you’ve ever thought you were
changing a String, you were actually creating a new String with the
appropriate modifications. Most objects are mutable, however, and we use
methods called mutator methods (or simply mutators) to change their
fields.
Like accessors, mutators have no special syntax. The term is used to
describe any methods that change the data inside of an object. For the
Rectangle class, the only internal data we have is the length and
width variables. Mutators for these might look as follows.
    public void setLength(int length) {
        this.length = length;
    }
    public void setWidth(int width) {
        this.width = width;
    }Just as the names for many accessors begin with get, the names for
many mutators begin with set. Mutators often have a void return type
because they’re changing the object, not getting information back. Some
mutators might have a return type that gives information about an error
that occurred while trying to make a change. Note that we used the
this keyword once again to distinguish each field from the method
argument with the same name.
You may have noticed that we use the machinery of a method to both get
and set the length field, for example. Perhaps doing so seems
needlessly complex. After all, if the length variable had been
declared with the public modifier instead of the private modifier,
we could get and set its value directly, without using methods. In
response, let’s improve the mutators that set length and width.
    public void setLength(int length) {
        if (length > 0) {
            this.length = length;
        }
    }
    public void setWidth(int width) {
        if (width > 0) {
            this.width = width;
        }
    }With these better mutators, we can prevent a user from setting the
values of length and width to negative numbers or zero, values that
don’t make sense for dimensions of a rectangle. For more complicated
objects, it becomes even more important to protect the values of the
fields from malicious or mistaken users.
9.3.4. Access modifiers
Hiding data is at the heart of the Java OOP model. There are four
different levels of access that can be applied to fields and methods,
whether static or not. They are public, private, protected, and
package-private.
- publicmodifier
- 
The publicaccess modifier states that a variable or method can be accessed by any code, no matter what class contains it. Most methods should bepublicso that they can be used freely to interact with their object. Virtually no fields should bepublic. Constants (static or otherwise) are the most significant exception to this rule. Making constantspublicis usually not a problem since they can’t be changed by outside code anyway. In theRectangleclass, variableslengthandwidthare so simple that making thempublicis not unreasonable. If you have a field that can be changed at any time by any code to any value, you can leave that fieldpublic.
- privatemodifier
- 
This modifier states that a variable or method cannot be accessed by any code unless the code is contained in the same class. It’s important to realize that the restriction is based on the class, not on the object. Code inside any Rectangleobject can modifyprivatevalues inside of any otherRectangleobject and the class as a whole. Most fields should beprivateso that outside code can’t modify them. Methods can beprivate, but these methods should be helper or utility methods used inside the class or object to divide up work.
- protectedmodifier
- 
This modifier states that a variable or method cannot be accessed by any code unless the code is contained in the same class, a subclass, or is in the same package. This level of access is more restrictive than publicbut less restrictive thanprivateor default access. We discuss it further in the context of subclasses and inheritance in Chapter 11.
- Package-private (no explicit modifier)
- 
If you don’t type an access modifier when you declare a field or method, that field or method is not public. Instead, it has the default or package-private access modifier applied to it. Fields or methods with this modifier can be accessed by any code that is in the same package or directory. A package is yet another layer of organization that Java provides to group classes together. When you use animportstatement, you can import an entire package of classes. There’s no keyword for this access modifier. It may be useful if you’re designing a package containing classes that must be able to access each other’s fields or methods. For now, you should always give your fields and methods an explicitpublicorprivate(or sometimesprotected) modifier.
From least restrictive to most restrictive, the modifiers are public,
protected, package-private, and private. Each additional level of
restriction removes a single category of access. All fields and methods
can be accessed by code from the same class. The following table gives
the contexts outside the class that can access a field or method marked
with each modifier.
| Modifier | Package | Subclass | Unrelated Classes | 
|---|---|---|---|
| 
 | Yes | Yes | Yes | 
| 
 | Yes | Yes | No | 
| Package-private | Yes | No | No | 
| 
 | No | No | No | 
Although large and complex programs are needed to see the real benefits of OOP in Java, here’s an example showing how objects can be used to make a roster of students.
We’re going to create a Student class so that we can store objects
containing student roster information. Then, we’re going to create a
client program that reads data from a user to create Student objects,
sort them by GPA, and then print them out.
public class Student {
    public static final String[] YEARS = {"Freshman", "Sophomore", "Junior", "Senior"};
    private String name;
    private int year;
    private double GPA;We start by defining the Student class. First, there’s a constant
array of String values, giving the names of each of the four years.
Next, fields in the Student class are declared to store the name, year, and GPA of
the student.
    public Student(String name, int year, double GPA) {
        setName(name);
        setYear(year);
        setGPA(GPA);
    }   We have one constructor for this class, which takes in a String, an
int, and a double corresponding to the name, year, and GPA of the
student. The constructor then internally uses mutator methods to store
the values into the fields. By doing so, we automatically take advantage
of the error checking in the GPA mutator.
    public void setName(String name) { this.name = name; }  
    public void setYear(int year) { this.year = year; }
    public void setGPA(double GPA) {
        if (GPA >= 0 && GPA <= 4.0) {
            this.GPA = GPA;
        } else {
            System.out.println("Invalid GPA: " + GPA);      
        }
    }These are the mutators corresponding to each of the three fields. The input for the name and year mutators aren’t checked, but the GPA mutator checks to make sure that the GPA value is in the proper range.
    public String getName() { return name; };
    public int getYear() { return year; };
    public double getGPA() { return GPA; };
    public String toString() {
        return name + "\t" + YEARS[year] + "\t" + GPA;
    }   
}Finally, these accessors allow the user to find out the name, year, or
GPA of a given student. Every class in Java automatically has a
toString() method that’s called whenever an object is being printed
out directly. We have made this method return the information in
Student formatted as a String.
Creating the Student class is only half the battle. We must also
create client code to use it.
import java.util.*;
public class StudentRoster {
    public static void main(String[] args) {
        Scanner in = new Scanner(System.in);
		int students = in.nextInt(); (1)
        Student[] roster = new Student[students]; (2)
        for (int i = 0; i < roster.length; ++i) { (3)
            in.nextLine();          
            roster[i] = new Student(in.nextLine(), in.nextInt(), in.nextDouble());
        }
        sort(roster); (4)
        for (int i = 0; i < roster.length; ++i) {
            System.out.println(roster[i]);
        }
    }| 1 | The main()method in theStudentRosterclass begins by reading in
the total number of students. | 
| 2 | Next, it makes an array of type Studentof that length. | 
| 3 | Then, it repeatedly reads in a name, year, and GPA,
creates a new Studentobject with those values, and stores it into the
array. | 
| 4 | After creating all the Studentobjects, it sorts them with a
method call and prints them out. | 
One oddity in this code is the seemingly superfluous in.nextLine() in
the first for loop. This line of code consumes a trailing newline
character from previous input. Take it out and see how quickly the
program malfunctions.
    public static void sort(Student[] roster) {
        for (int i = 0; i < roster.length - 1; ++i) {
            int smallest = i;
            for (int j = i + 1; j < roster.length; ++j) {
                if (roster[j].getGPA() < roster[smallest].getGPA()) {
                    smallest = j;
                }
            }
            Student temp = roster[smallest];
            roster[smallest] = roster[i];
            roster[i] = temp;
        }
    }
}This sort() method is similar to others you’ve seen. It
implements selection sort in ascending order based on GPA.
If you run this program, you’ll notice that it doesn’t prompt the user for input. This version of the code is designed for redirected input from a file. A more user friendly, interactive version should prompt the user clearly.
Using OOP is not necessary to solve this problem. Instead of objects, we could have used three separate arrays holding the name, year, and GPA of each student, respectively. However, coordinating these arrays together would become tedious, particularly when sorting.
9.4. Advanced: Nested classes
Inside of a class, you can define fields and methods, but what about
other classes? Yes! Doing so creates a nested class. When you define a
class inside of an outer class, it can access fields and methods in the
outer class, even if they are marked private. Java allows a number of
different ways to define a nested class. They’re all useful, but each
is subtly different. Some nested classes are tied to a specific object
of the outer class while others are not.
9.4.1. Static nested classes
If you mark a nested class with the static keyword, you’re creating a
class whose objects are independent of any particular outer class
object. Such a class is called a static nested class. Consider the
following class definition.
public class Outer {
    private int x;
    private int y;
    public static class Nested {
        private int z;
    }
}A static nested class is similar to a normal, top-level class with two
differences. First, the full name of a nested class is the name of the
outer class followed by a dot followed by the nested class name. Second,
when given an outer class object, code in a static nested class can
access and modify private (and protected) data in the outer class
object.
Static nested classes can be used when the class you need is only useful in connection with the outer class. Thus, nesting the class groups it with its outer class. We can create an instance of the nested class above as follows.
Outer.Nested nested = new Outer.Nested();Because it’s a static nested class, we don’t need an instance of type
Outer to create an instance of type Outer.Nested. If you compile
Outer.java, it will create two files, Outer.class and
Outer$Nested.class. The dollar sign ($) separates the names of each
level of nested class in the file name. It’s possible to nest classes
inside of nested classes, producing another .class file with another
dollar sign and the new class name appended.
Like members, static nested classes can be marked public, private,
protected, or package-private (no explicit modifier). These access
modifiers control which code can access or instantiate static nested
classes using the sames access rules for fields and methods.
One application for static nested classes is testing. You can write code
that tests the functionality of your outer class, fiddling with its
fields if needed. Then, because a separate .class file is created, you
can deliver only the .class file for the outer class to your customer.
Consider the Square class, similar to the Rectangle class given
earlier.
public class Square {
    private int side;
    public Square( int side ) {
        this.side = side;
    }
    public int getArea() {
        return side*side;
    }
}We could add a static nested class called Test to Square to test
that its getArea() and getPerimeter() methods are working properly.
The final code might be as follows.
public class Square {
    private int side;
    public Square( int side ) {
        this.side = side;
    }
    public int getArea() {
        return side*side;
    }
    public static class Test {
        public static void main(String[] args) {
            Square square = new Square(5);
            System.out.print("Test 1: ");
            if (square.getArea() == 25) {
                System.out.println("Passed");
            } else {
                System.out.println("Failed");
            }
            square.side = 7;
            System.out.print("Test 2: ");
            if (square.getArea() == 49) {
                System.out.println("Passed");
            } else {
                System.out.println("Failed");
            }
        }
    }
}To run the tests, you would compile Square.java and then run the
nested class by invoking java Square$Test. It’s unwise to use the
nested class to change the private fields in square, but we did so to
show that it’s allowed in Java. A better test would create a second
Square object with a side of length 7.
9.4.2. Inner classes
Another kind of nested class is an inner class. Unlike static nested classes, the objects of inner classes are associated with a particular object of the outer class. You can think of an inner class object living inside an outer class object. It’s impossible to instantiate an inner class object without having an outer class object first. Consider the following class definition.
public class Outer {
    private int a;
    public class Inner {
        private int b;
        private int c;
    }
}Every instance of Inner must be associated with an instance of
Outer. To instantiate an inner class, you use the name of an outer
class object, followed by a dot, followed by the new keyword, and then
the name of the inner class. We can create an instance of the inner
class above as follows.
Outer outer = new Outer();
Outer.Inner inner = outer.new Inner();This syntax looks confusing, but it makes inner an object that exists
inside of outer. Thus, if there were methods defined in Inner, they
could refer to field a, because every instance of Inner would be
inside of an instance of Outer with a copy of a.
The relationship between outer and inner objects is one to many. We can instantiate any number of inner class objects that all live inside of the same outer class object.
Another issue with inner classes (as opposed to static nested classes) is that they cannot contain static methods or static fields (except for constants). Since each instance of an inner class is tied to an instance of an outer class, the designers of Java thought that static fields and methods for an inner class really belong in the outer class.
It’s even possible to define a class inside a method, if that class is only referred to in the method. Such a class is called a local class. It’s possible to create an unnamed local class on the fly as well. Such a class is called an anonymous class. Both local and anonymous classes are special kinds of inner classes. Because of the way they’re created and used, we’ll discuss them in Section 10.4
If you create a data structure for other programmers to use, a useful feature is the ability to retrieve each item from the data structure in order. Different threads or methods might need to process these elements independently from each other. Each piece of code can be given an inner class object called an iterator that can repeatedly get the next item in the data structure. Since instances of an inner class can read private data of the outer class, iterators can keep track of where they are inside of the data structure. If outside code were allowed access to the data structure’s internals, it would violate encapsulation. Iterators are a common application of inner classes.
We can create a SafeArray class that only allows data to be written to
its internal array if it falls in the legal range of indexes.
public class SafeArray {
    private double[] data;
    public SafeArray(int size) {
        data = new double[size];
    }
    public int set(int index, double value) {
        if (index >= 0 && index < data.length) {
            data[index] = value;
        }
    }
}We could add an inner class called Iterator to SafeArray that allows
us to process all the array values without knowing how many there are.
This kind of behavior is useful for many dynamic data structures, as
discussed in Chapter 19.
public class SafeArray {
    private double[] data;
    public SafeArray(int size) {
        data = new double[size];
    }
    public void set(int index, double value) {
        if (index >= 0 && index < data.length) {
            data[index] = value;
        }
    }
    public class Iterator {
        private int index = 0;
        public boolean hasNext() {
            return (index < data.length);
        }
        public double getNext() {
            if (index >= 0 && index < data.length) {
                return data[index++];
            } else {
                return Double.NaN;
            }
        }
    }
}The following method uses the iterator we’ve defined to find the sum
of the values in a SafeArray object.
public static findSum(SafeArray array) {
    double sum = 0;
    SafeArray.Iterator iterator = array.new Iterator();
    while (iterator.hasNext()) {
        sum += iterator.getNext();
    }
    return sum;
}9.5. Advanced: Enumeration types
We discussed constants in Section 3.3.5, but using the final keyword only
forces individual variables, whether local or member variables, to be constant.
What if you wanted a whole object to be constant? What would that even mean?
The C programming language introduced enumerations, fixed lists of named constants starting at 0 and increasing by one for each value. This approach provided an easy way to make distinct, named constants for better readability. In C, these values were essentially integers, but a conceptually similar feature was added in Java 5 to create Java enumerations, fixed lists of named objects.
9.5.1. Basic enumeration types
Enumerations allow us make fixed lists of objects. These enum types can be
stored in their own files or nested inside other classes. As an example, we
can create an enumeration of the four cardinal directions.
public enum Direction {
    NORTH, SOUTH, EAST, WEST
}Now, there are four objects accessible by the name Direction followed by a dot
and the name of the direction: Direction.NORTH, Direction.SOUTH,
Direction.EAST, and Direction.WEST. Each name provides a readable
representation of a direction.
Direction direction = whichWay();
if (direction == Direction.EAST) {
    System.out.println("When the East is in the house");
}There’s a natural connection between switch statements and enum types:
switch statements are designed for a fixed set of values, and that’s exactly what
enum types provide. Note that, when used in a switch, only the name
of each enum value is used, not its type.
switch (direction) {
    case NORTH:
        System.out.println("From the Gate of the Kings the North Wind rides");
        break;
    case SOUTH:
        System.out.println("From the mouths of the Sea the South Wind flies");
        break;
    case WEST:
        System.out.println("The West Wind comes walking, and about the walls it goes");
        break;
}Making decisions based on enum values is the most common use case, but Java
enumerations also have other, built-in functionality. Each enum value has
an ordinal() method that returns its index, starting with 0 for the first.
Likewise, an array containing all the values in an enum type can be accessed
by calling the static values() method from the type name.
The following code uses these features to print out the number and name
associated with each value in Direction.
for (Direction cardinal : Direction.values()) {
    System.out.println(cardinal.ordinal() + ": " + cardinal);
}It gives the output below.
0: NORTH 1: SOUTH 2: EAST 3: WEST
It’s also possible to retrieve an enum value by name, using the static
valueOf() method.
 Direction westSide = Direction.valueOf("WEST");Doing so is risky, since the name must match exactly, including case. Supplying an incorrect name will cause an error.
9.5.2. Customized enumeration types
Usually, you won’t need to create enumerations more complicated than simple
lists of values. However, enum values in Java are full objects: They can
contain both member variables and methods. So that enum values can be treated
purely as constants, it’s safest to store only final variables inside enum
types, but Java nevertheless allows them to contain non-constant data.
We can expand the idea of a Direction enumeration to a Movement one that
contains additional directions along with a geometric interpretation of how
movement in a direction would change a position.
public enum Movement {
    NORTH(0, 1), (1)
    NORTHEAST(1, 1),
    EAST(1, 0),
    SOUTHEAST(1, -1),
    SOUTH(0, -1),
    SOUTHWEST(-1, -1),
    WEST(-1, 0),
    NORTHWEST(-1, 1); (2)
    private final int DELTA_X; (3)
    private final int DELTA_Y;
    Movement(int x, int y) {
        DELTA_X = x;
        DELTA_Y = y;
    }
    public int changeX(int x) {
        return x + DELTA_X;
    }
    public int changeY(int y) {
        return y + DELTA_Y;
    }
}| 1 | To use an enumtype in this way, each value must be followed by
parentheses giving the values passed into the constructor. | 
| 2 | Then, the list of values must be terminated with a semicolon. | 
| 3 | The rest of the enumtype looks like any other class, containing members,
constructors, and methods. Constructors are implicitlyprivate, and it’s
illegal to mark them as anything else. | 
We can use the enum values defined above to move a Cartesian point in the
appropriate direction.
int x = 0;
int y = 0;
Movement movement = Movement.SOUTHEAST;
x = movement.changeX(x);
y = movement.changeY(y);After the code executes, the value of x will be 1, and the value of y
will be -1.
There are situations when it’s helpful to group constant data together inside
each enum value. In the example below, we store the atomic number and atomic
weight for each noble gas inside its corresponding value.
public enum NobleGas {
    HELIUM(2,4.003),
    NEON(10, 20.178),
    ARGON(18, 39.948),
    KRYPTON(36, 83.798),
    XENON(54, 131.293),
    RADON(86, 222.018);
    public final int ATOMIC_NUMBER;
    public final double ATOMIC_WEIGHT;
    NobleGas(int number, double weight) {
        ATOMIC_NUMBER = number;
        ATOMIC_WEIGHT = weight;
    }
}Because both member variables are public, they can be accessed directly, without needing a method. Mutable public member variables are generally considered unwise, but public constants are both safe and useful.
double neonWeight = NobleGas.NEON.ATOMIC_WEIGHT;This enum type could be generalized to include all the elements in the
periodic table, though that would make for a lengthy list of values.
Creating enum types is valuable for situations where there will only ever be
a fixed number of instances of a class: suits of cards, days of the week,
seasons of the year, states that a system can be in, and so on. They can also
be used for the singleton design pattern, a paradigm used in software
engineering.
Using enum types doesn’t make programming more powerful, in the sense that
new kinds of problems can be solved. However, careful use of enum types can
certainly make code more readable.
9.6. Solution: Nested expressions
We now have enough knowledge to solve the nested expressions problem
from the beginning of the chapter. Classes help us divide up the work of
solving the problem. We need a stack class that can hold char
values. The SymbolStack class allows us to perform the push, pop, and top
stack operations with methods of the same names.
public class SymbolStack {
    private char[] symbols;
    private int size;
    
    public SymbolStack(int maxSize) { 
        symbols = new char[maxSize]; (1)
        size = 0; (2)
    }
    
    public void push(char symbol) { symbols[size++] = symbol; } (3)
    public void pop() { --size; } (4)
    public char top() { return symbols[size - 1]; } (5)
    public boolean isEmpty() { return size == 0; } (6)
}| 1 | Its constructor takes a maximize size for the stack and allocates an array of that size. | 
| 2 | It also
sets the sizefield to0so that we can keep track of how many
things are in the stack (and consequently where the top is).
Allintfields in Java are automatically initialized to0, but it
doesn’t hurt to be explicit. | 
| 3 | The push()method stores an inputcharinto the stack at locationsizeand then incrementssize. | 
| 4 | The pop()method simply decrementssize. It has no error checking to prevent a user from popping the
stack once it’s already empty. | 
| 5 | The top()method returns the
value at the top of the stack, whose location issize - 1. | 
| 6 | SymbolStackalso defines anisEmpty()method so that we can see if
the stack is empty. | 
Now we need the client code that reads the input and interacts with the stack.
import java.util.*;
public class NestedExpressions {
    public static void main(String[] args) {        
        Scanner in = new Scanner(System.in);
        String input = in.nextLine(); (1)
        SymbolStack stack = new SymbolStack(input.length()); (2)
        char symbol;    
        boolean correct = true; (3)| 1 | The main()method of this class reads in the input. | 
| 2 | Then, it creates a SymbolStackcalledstackwith a maximum size of the input length. We
know that the stack will never need to hold more than the total input length. | 
| 3 | It also creates a booleannamedcorrectto keep track of whether or not
the input is correctly nested. We start by assuming that it is. | 
        for (int i = 0; i < input.length() && correct; ++i) { (1)
            symbol = input.charAt(i);
            switch (symbol) {
                case '(':
                case '[':
                case '{':
                    stack.push(symbol); (2)
                    break;
                case ')':
				case ']':
				case '}':
                    if (stack.isEmpty() || stack.top() != symbol) { (3)
                        correct = false;
                    } else {
                        stack.pop();
                    }
                    break;                
            }
        }| 1 | This forloop runs through eachcharin the input. | 
| 2 | If it’s a left parenthesis, left square bracket, or left curly brace, it pushes the symbol onto the stack. | 
| 3 | If it’s a right parenthesis, right square
bracket, or right curly brace, it checks to see if the stack is empty.
Because of short-circuit evaluation, the code doesn’t even look at the
top of the stack if it is empty. However, if the stack isn’t empty, it
checks to see if the top matches the current symbol. If the stack is
empty or its top doesn’t match, correctis set tofalse. For
efficiency, the loop stops early ifcorrectis no longertrue. | 
        if (!stack.isEmpty()) { // Unmatched left symbols (1)
            correct = false;
        }
        
        if (correct) { (2)
            System.out.println("The input is correctly nested!");
        } else {
            System.out.println("The input is incorrectly nested!");
        }
    }
}| 1 | After the input has been examined, we check to see if the stack is
empty. If it isn’t, there must be some left symbols that weren’t
matched with right symbols. In that case, we set correcttofalse. | 
| 2 | Finally, we print out whether the input is correctly or incorrectly
nested based on the value of correct. | 
9.7. Concurrency: Objects
Nearly everything in Java is an object: arrays, lists, String values,
colors, and even exceptions, which form Java’s error-handling system and
are discussed in Chapter 12. Some critics of Java
point out that int, double, and the other primitive types are not
objects, forcing the programmer to adopt two different programming
models. Regardless, threads are stored as objects as well. In
Chapter 14, we’ll discuss how to create
threads and the various methods that can be used to interact with them.
However, objects of type Thread are not the only ones you deal with
when writing concurrent programs. As we’ve just noted, most data in
Java is encapsulated in an object. One of the deep reasons for using OOP
is safety: We want the private data inside of an object to stay in a
consistent state. Due to their inexplicable ability to get out of tight
spots, one tradition holds that cats have nine lives. Because of
their inquisitive nature, another tradition holds that curiosity killed
the cat. Consider the class below that keeps track of the lives a cat
has, losing one every time it becomes curious.
If the relationship between curiosity and mortality is the only feature
of a cat you’re trying to model, the class below appears to function well.
When the useCuriosity() method is invoked, it removes a life or prints
an error message if the cat has already run out of lives. In a single-threaded
situation, this object would work perfectly. No cat would be able to
lose more than 9 lives.
In a multi-threaded situation, however, there’s no telling when a thread might
pause in executing the useCuriosity() method.
Cat object starts with 9, but loses one each time it uses its curiosity. If no more lives remain, an error message is output.public class Cat {
    private int lives = 9;
    
    public boolean useCuriosity() {         
        if (lives > 1) { (1)
            --lives; (2)
            System.out.println("Down to life " + lives);
            return true;
        } else {
            System.out.println("No more lives left!");
            return false;
        }
    }   
}| 1 | If 100 threads all called useCuriosity(), each one might successfully pass theifon this line before any had decrementedlives. | 
| 2 | Once past the check, nothing would prevent them from continuing on and decrementing lives, resulting in a cat who lost 100 lives, resulting in a total of -91 lives. Such a scenario makes no sense. | 
In Chapter 15, we’ll discuss how to prevent this
problem, using the synchronized keyword to allow only a single thread
at a time to execute a section of code. The goal is to make
useCuriosity() thread-safe, meaning that its behavior is consistent
and correct no matter how many threads try to execute it at the same
time.
As you work through this book and begin to write your own concurrent
programs, we’ll discuss many ways to make them thread-safe. However, you’re
also a consumer of code written by other people. In multi-threaded
environments, you might need to use library classes that are thread-safe.
For example, AtomicInteger is a thread-safe class designed to store
and manipulate int values. In Chapter 19,
we’ll talk about the ArrayList and Vector classes, which
are both used to hold variable length lists of objects. One of the few
differences between them is that ArrayList is not thread-safe while
Vector is. There’s even the Collections.synchronizedCollection()
method (and other similar methods), which takes a collection that’s not
thread-safe and returns a version of it that is.
Java was intended to be multi-threaded from the very beginning, but concurrency was never the most important feature in the language. For that reason, the documentation doesn’t clearly mark which methods are thread-safe. Usually, some of the paragraphs of description above the list of methods say that a class is “synchronized” if it is thread-safe. If it’s not, the documentation may not mention anything. Careful attention is needed to be sure which classes and APIs are thread-safe.
You might wonder why all classes aren’t thread-safe, but everything comes
with a price. If a class is thread-safe, its methods are usually marked
with the synchronized keyword. The JVM is relatively efficient about
how it enforces that keyword, but the computational expense is not zero.
Learn the libraries well, and use the right tools for the right job.
9.8. Exercises
Conceptual Problems
- 
Explain the relationship between a class and an object. 
- 
What’s the difference between a static method and an instance method? 
- 
What’s the purpose of a constructor? Why is it impossible for a constructor to return a value? Why is it impossible for a constructor to be called multiple times on the same object? 
- 
A static method can be called directly from a instance method, but an instance method can’t be called directly from a static method. Why? 
- 
Describe the uses of accessor and mutator methods. Is it possible to create a method that is both an accessor and a mutator? Why or why not? 
- 
Why do we usually mark fields with the privatekeyword when it would be easier to make all fieldspublic?
- 
What’s the meaning of the thiskeyword? When is it necessary to use it? When can it be ignored?
- 
Consider the following class definitions. public class A { private int a; public int getA() { return a; } public static void increment() { ++a; } } public class B { private int b; public B(int value) { b = value; } public A generate() { A object = new A(); object.a = b; return object; } }The field ais used three times in the previous code. Which of these uses cause a compiler error and why?
- 
In Section 9.6, we gave a definition of SymbolStackthat implements a simple stack using two fields, as follows.private char[] symbols; private int size;By calling the top()orpop()methods on an empty stack, it’s possible to cause a program to crash. What additional problems could happen ifsymbolsandsizewere declaredpublicand malicious or poorly written code had access to these fields?
- 
Consider the following class definition. public class GroceryItem { private String name; private double price; public GroceryItem(String text, double money) { String name = text; double price = money; } public String getName() { return name; } public String getPrice() { return price; } }This class compiles, but its constructor doesn’t function properly. Why not? 
Programming Practice
- 
OOP is often used when the data inside the object must maintain special relationships. Consider a clock with hours, minutes, and seconds. When the number of seconds reaches 60, the number of minutes is increased by 1, and the number of seconds is reset to 0. When the number of minutes reaches 60, the number of hours is increased by 1, and the number of seconds is reset to 0. When the number of hours reaches 13, it’s reset to 1. AM and PM switch whenever the number of hours reaches 12. Define a Clockclass with privateintfieldshours,minutes, andsecondsand abooleanfieldPM. Write a constructor that initializeshoursto12,minutesandsecondsto0, andPMtofalse. Write a mutatorincrement()that adds1toseconds. This mutator should correctly handle all the clock behavior described above. Write an accessor calledtoString()that returns a nicely formatted version of the time as aString. For example, the initial time would be returned as"12:00:00 AM". Make sure you pad the output forsecondsandminuteswith an extra"0"if they’re less than10.
- 
Draw on any of your hobbies to come up with a collection of items, whether those items are books you like to read, athletes you follow, music you collect, or anything else that’s easy to classify. Then, create a class that can describe one of these items with three to five attributes. For example, the important attributes of a book might be author, title, genre, and page count. Each of these attributes should be stored as a privatefield and manipulated withpublicaccessor and mutator methods.Using an array, create a database of these objects. Write methods that print out all objects that have a particular value for an attribute. For example, a book database program should let the user input that he or she is looking for all books whose author is "Alexandre Dumas". You might wish to use input redirection so that you don’t have to enter data about your objects repetitively.
- 
The java.awtpackage defines a class calledPointthat can be used to manipulate an (x, y) pair in programs involving the Cartesian coordinate system. Create your ownPointclass withintvaluesxandyas fields.Create one constructor that allows the user to specify values for xandyand a default constructor that takes no arguments and sets bothxandyto0. Create accessors and mutators forxandy.Finally, create a method with the signature public double distance(Point p)that finds the distance between the currentPointobject and thePointobjectppassed in as an argument. Recall that the following formula finds the distance d between two 2D points.Write client code that allows you to create two Pointobjects and test if thedistance()method gives the right answer.
- 
Re-implement the solution from Section 9.6 so that it performs its input and output with GUIs created using JOptionPane.
Experiments
- 
Objects are great tools for solving problems, but there’s some additional overhead associated with creating objects and calling methods. Write a piece of code that allocates an array of 10,000,000 intvalues. Iterate through that array, storing the valueiinto indexi, and time the process using an OStimecommand. As you know, theIntegerwrapper class allows us to store anintvalue in object form. Repeat the experiment, but instead ofintvalues, allocate an array to hold 10,000,000Integerobjects. Iterate through the array again, storing anIntegerobject into each index of the array. For indexi, store a newIntegerobjected created by passing valueiinto its constructor. Compare the time taken to the previous time forintvalues. Do you think this is a reasonable way to estimate the time it takes to call a constructor and allocate a new object?