您的位置:首页 > 编程语言 > Java开发

Default Methods in Java 8 and Multiple Inheritance

2015-01-03 11:06 507 查看
From Wiki,

Multiple inheritance is a feature of some object-oriented computer programming languages in which an object or class can inherit characteristics and features from more than one parent object or parent class.

Default methods in Java 8 can be viewed as a form of multiple inheritance (except that attribute can not be inherited). Consider the example below, the Button class implements two interfaces - Clickable and Accessible.



Each interface defines a default method. The Button class therefore can call methods from both interfaces. This is like a multiple inheritance.

interface Clickable{
	default void click(){
		System.out.println("click");
	}
}
 
interface Accessible{
	default void access(){
		System.out.println("access");
	}
}
 
public class Button implements Clickable, Accessible {
 
	public static void main(String[] args) {
		Button button = new Button();
		button.click();
		button.access();
	}
}


If both of the implemented interfaces define a default method with same method signature, then the implementation class does not know which default method to use. The implementation class should define explicitly specify which default method to use or define
it's own one. In the example below, Clickable and Accessible both define the print() method. In the Button class, the print() method specifies the default method.



interface Clickable{
	default void click(){
		System.out.println("click");
	}
 
	default void print(){
		System.out.println("Clickable");
	}
}
 
interface Accessible{
	default void access(){
		System.out.println("access");
	}
 
	default void print(){
		System.out.println("Accessible");
	}
}
 
public class Button implements Clickable, Accessible {
 
	public void print(){
		Clickable.super.print();
		Accessible.super.print();
	}
 
	public static void main(String[] args) {
		Button button = new Button();
		button.click();
		button.access();
		button.print();
	}
}


The main motivation behind default methods is that if at some point we need to add a method to an existing interface, we can add a method without changing the existing implementation classes. In this way, the interface is still compatible with older versions.
This is a cool feature. However, we should remember the motivation of using Default Methods and should keep the separation of interface and implementation.

To know more features of Java 8, check out Simple Java 8.
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签: