As mentioned earlier, Java 8 introduced default methods, allowing interfaces to have methods with a body. This feature was introduced to support backward compatibility while evolving interfaces in the Java API.
When to Use Default Methods:
However, default methods can make your interfaces bloated if overused. They should be reserved for cases where the default behavior is genuinely helpful across many implementations.
Example:
public interface Movable { void move(); default void stop() { System.out.println("Movement stopped."); } }
In this example, stop() provides a default implementation that can be overridden by any class implementing the Movable interface.
Static methods were also introduced in interfaces with Java 8. These methods belong to the interface itself and not to any instance of a class that implements the interface. This allows you to provide utility methods directly related to the interface's functionality.
When to Use Static Methods:
Example:
public interface Calculator { int calculate(int a, int b); static int add(int a, int b) { return a + b; } }
Here, the add() method is a utility function that can be called without creating an instance of any class that implements Calculator.
Best Practice: Use static methods for utility functions that logically belong to the interface's domain. Avoid using them for any functionality that might need to be overridden.
A functional interface is an interface that has exactly one abstract method. This concept became particularly powerful with the introduction of lambda expressions in Java 8, which allow you to write more concise and readable code.
Example of a functional interface:
@FunctionalInterface public interface Processor { void process(String input); }
You can use lambda expressions to implement this interface concisely:
Processor processor = input -> System.out.println("Processing: " + input); processor.process("Data");
When to Use Functional Interfaces:
Tip: Leverage the @FunctionalInterface annotation to ensure the interface remains functional, i.e., with only one abstract method.
Design a system for a multi-function device that can print, scan, and fax. Think about how you would use interfaces, abstract classes, default methods, and static methods to design this system. What would the common behaviors be, and how would you allow for flexibility in each function's implementation?
The above is the detailed content of Default and Static Methods in Interfaces. For more information, please follow other related articles on the PHP Chinese website!