In Java, an interface is a mechanism that unrelated objects use to interact with each other. Like a protocol, an interface specifies agreed-on behaviors and/or attributes.
- The
Person
class and its class hierarchy define the attributes and behaviors of a person. But a person can interact with the world in other ways. For example, an employment program could manage a person at a school. An employment program isn't concerned with the kinds of items it handles as long as each item provides certain information, such as salary and employee ID. This interaction is enforced as a protocol of method definitions contained within an interface. The Employable
interface would define, but not implement, methods that set and get the salary, assign an ID number, and so on.
data:image/s3,"s3://crabby-images/863f8/863f84a38122f7e958e91fda1470df629327c4f9" alt=""
Figure 11.4 - Employable
Interface
To work in the employment program, the Teacher
class must agree to this protocol by implementing the interface. To implement an interface, a class must implement all of the methods and attributes defined in the interface. In our example, the shared methods of the Employable
interface would be implemented in the Teacher
class.
- In Java, an
interface
consists of a set of methods and/or methods, without any associated implementations. Here is an example of Java interface that defines the behaviors of “employability” described earlier:
public interface Employable{
public double getSalary();
public String getEmployeeID();
public void setSalary(double salary);
public void setEmployeeID(String id);
}
A class implements an interface by defining all the attributes and methods defined in the interface. implements is a reserved word. For example:
public class Teacher implements Employable{
...
public double getSalary() { return mySalary; }
public int getEmployeeID() { return myEmployeeID; }
public void setSalary(double salary) { mySalary = salary; }
public void setEmployeeID(String id) { myEmployeeID = id; }
}
- A class can implement any number of interfaces. In fact, a class can both extend another class and implement one or more interfaces. So, we can have things like (assuming we have an interface named
Californian
)
public class Teacher extends Person implements Employable, Californian{
...
}
- Interfaces are useful for the following:
- Declaring a common set of methods that one or more classes are required to implement
- Providing access to an object’s programming interface without revealing the details of its class.
- Providing a relationship between dissimilar classes without imposing an unnatural class relationship.
- You are not likely to need to write your own interfaces until you get to the point of writing fairly complex programs. However, there are a few interfaces that are used in important ways in Java’s standard packages. You’ll learn about some of these standard interfaces in future lessons.