java语言可以通过什么实现多继承?
1.java中只能利用接口达到多实现而已,跟多继承相仿
2,java中唯一可以实现多继承的 就是接口与接口之间了。
先说继承 比如
class fu1
{
void show(){}
}
class fu2
{
void show(){}
}
class zi extends fu1,fu2
{
void show(){}
}
这时候 创建zi引用 调用show方法 java 虚拟机 就不知道该调用父类的哪个show方法了
同理 在接口中
class fu1
{
void show();
}
class fu2
{
void show();
}
class zi extends fu1,fu2
{
void show(){}
}
接口的fu1 和 f2 的show方法都是abstract的 抽象的 是没有方法体的
所以只有子类的show方法是有方法体的 所以接口 可以多实现 也就是变量的多继承
所以也可以推出 接口与接口之间也是可以多继承的 就算接口a 的父类接口 b和c都有同一个方法show()
但是他们都是抽象方法 a继承他们 也是抽象的 这个不就可以继承了吗? 由实现的例子就可以推出来 ,接口确实是可以多继承的。
> (1)通过实现多个接口。 (2)通过内部类实现多重继承。 public class Father { public int strong(){ return 9; }}public class Mother { public int kind(){ return 8; }}public class Son { /** * 内部类继承Father类 */ class Father_1 extends Father{ public int strong(){ return super.strong() + 1; } } class Mother_1 extends Mother{ public int kind(){ return super.kind() - 2; } } public int getStrong(){ return new Father_1().strong(); } public int getKind(){ return new Mother_1().kind(); }}
java设计并实现一个类,它表示圆,圆心以及半径是它的属性,定义一些基本方法,例如计算圆的面积,计算圆的周长,判断两圆是否相交?
public class Circular{
//圆心x
private double centerx;
//圆心y
private double centery;
//半径
private double radius;
private double PI =3.14;
//set get 方法
public void setCenterx(double centerx){
this.centerx = centerx;
}
public double getCenterx(){
return centerx;
}
public void setCentery(double centery){
this.centery = centery;
}
public double getCentery(){
return centery;
}
public void setRadius(double radius){
this.radius = radius;
}
public double getRadius(){
return radius;
}
//计算面积
public double getArea(){
return PI*radius*radius;
}
//计算周长
public double getRound(){
return 2*PI*radius;
}
//是否相交
public boolean isTouch(double otherx,double othery,double otherRadius){
double x = this.centerx-otherx;
double y = this.centery-othery;
double s = Math.pow(x,2)+Math.pow(y,2);
//两个圆心距离
double d = Math.pow(s,0.5);
//两个圆半径之和
double sumR = radius + otherRadius;
return sumR >= d?true:false;
}
}