问题一:下面的程序有无问题?如果有问题,怎么修改
interface A{
int x=0;
}
class B{
int x=1;
}
class C extends B implements A{
public void pX() {
System.out.orintln(x);
}
public static void main(String[] args) {
new C().pX();
}
}
有问题,编译不通过。
因为x是不明确的,此时父类和接口对于子类来说是同一条线上的。
拓展: 一种情况:一个子类的直接父类中有x为2,这个子类还有一个父类的x为3,如果在这个子类中用x(假设该子类自己没有定义x),x的值是2而不是3,因为就近,即因为如果子类中没有x就会往上追溯,找到了2就OK了,在这个子类中写this.x或者super.x得到的都是2(前提是子类当中没有定义过x),注意没有super.super这种写法,正常来说3在这个子类中是出现不了的,如果非要在子类中出现就在子类的直接父类中去写super.x,子类再去调用相应的方法.
注意:开发中尽量不要让属性重名。我们在定义属性的时候尽可能的将名字区分开,不要定义重名的
怎么改?
interface A{
int x=0;
}
class B{
int x=1;
}
class C extends B implements A{
public void pX() {
System.out.orintln(super.x);//调用父类的x
//利用接口中的x是全局常量
System.out.println(A.x);//调用接口中的x
}
public static void main(String[] args) {
new C().pX();
}
}
如果上面的问题把父类中的x改成x1,接口中的x改成x2,在子类中调用直接这么写就可以了
System.out.println(x1);
System.out.println(x2);
问题二:下面的程序有无问题
interface Playable{
void play();
}
interface Bounceable{
void play();
}
interface Rollable extends Playable,Bounceable{
Ball ball=new Ball("PingPang");
}
class Ball implements Rollable{
private String name;
public String getName() {
return name;
}
public Ball(String name) {
this.name=name;
}
public void play() {//既认为重写了Playable接口,也认为重写了Bounceable接口,这里没问题
ball=new Ball("Football");//ball是在接口中定义的,是被public static final修饰的,不能重新赋值,这里有问题
System.out.println(ball.getName());
}
}