Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Java Inheritance - this keyword

I searched online for similar question, but could not find it. So, posting here.

In the following program why the value of 'i' is printed as 100?

AFAIK 'this' refers to the current object; which in this case is 'TestChild' and the class name is also correctly printed. But why the value of the instance variable is not 200?

public class TestParentChild {
    public static void main(String[] args) {
        new TestChild().printName();
    }
}

class TestChild extends TestParent{
    public int i = 200;
}

class TestParent{
    public int i = 100;
    public void printName(){
        System.err.println(this.getClass().getName());
        System.err.println(this.i); //Shouldn't this print 200
    }
}

And moreover the output of the following is as i expected. The child class method is invoked, when i call "this.test()" from Parent class.

public class TestParentChild {
    public static void main(String[] args) {
        new TestChild().printName();
    }
}

class TestChild extends TestParent{
    public int i = 200;
    public void test(){
        System.err.println("Child Class : "+i);
    }

}

class TestParent{
    public int i = 100;
    public void printName(){
        System.err.println(this.getClass().getName());
        System.err.println(this.i); //Shouldn't this print 200
        this.test();
    }
    public void test(){
        System.err.println("Parent Class : "+i);
    }
}
like image 395
Jack Avatar asked Dec 31 '12 05:12

Jack


2 Answers

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
    }
}
like image 53
Dai Avatar answered Sep 30 '22 17:09

Dai


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.

like image 22
Dolda2000 Avatar answered Sep 30 '22 18:09

Dolda2000