Java Inheritance - this keyword

做~自己de王妃 提交于 2019-12-05 08:31:19

Java does not have virtual fields, so the i field in printName always refers to TestParent.i and not any descendant child.

Polymorphism through inheritance in Java only happens with methods, so if you want the behaviour you're describing then you'd want this:

class TestChild extends TestParent{

    private int i = 200;

    @Override
    public int getI() { return this.i; }
}

class TestParent{

    private int i = 100;

    public int getI() { return this.i; }

    public void printName(){
        System.err.println( this.getClass().getName() );
        System.err.println( this.getI() ); // this will print 200
    }
}

Because fields in Java aren't inherited. Using your declarations, you have effectively declared two different fields named i, and instances of TestChild will have both. When TestParent is compiled, references to i in its methods will always refer to TestParent.i.

There is no way to override a class variable.

You do not override class variables in Java, instead you hide them. Overriding is for instance methods and hiding is different from overriding.

In the example you've given, by declaring the class variable with the name 'i' in class TestChild you hide the class variable it would have inherited from its superclass TestParent with the same name 'i'. Hiding a variable in this way does not affect the value of the class variable 'i' in the superclass TestParent

To get the desired behavior, you can just override the getI() method

class TestChild extends TestParent{

    private int i = 200;

    @Override
    public int getI() {
         return this.i;
    }
}
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!