Virtual functions

suggest change

Virtual Methods are methods in Java that are non-static and without the keyword Final in front. All methods by default are virtual in Java. Virtual Methods play important roles in Polymorphism because children classes in Java can override their parent classes’ methods if the function being overriden is non-static and has the same method signature.

There are, however, some methods that are not virtual. For example, if the method is declared private or with the keyword final, then the method is not Virtual.

Consider the following modified example of inheritance with Virtual Methods from this StackOverflow post http://stackoverflow.com/questions/460446/how-do-virtual-functions-work-in-c-sharp-and-java) :

public class A{
    public void hello(){
        System.out.println("Hello");
    }
    
    public void boo(){
        System.out.println("Say boo");

    }
}

public class B extends A{
     public void hello(){
        System.out.println("No");
     }
    
    public void boo(){
        System.out.println("Say haha");

    }
}

If we invoke class B and call hello() and boo(), we would get “No” and “Say haha” as the resulting output because B overrides the same methods from A. Even though the example above is almost exactly the same as method overriding, it is important to understand that the methods in class A are all, by default, Virtual.

Additionally, we can implement Virtual methods using the abstract keyword. Methods declared with the keyword “abstract” does not have a method definition, meaning the method’s body is not yet implemented. Consider the example from above again, except the boo() method is declared abstract:

public class A{
   public void hello(){
        System.out.println("Hello");
    }
    
    abstract void boo();
}

public class B extends A{
     public void hello(){
        System.out.println("No");
     }
    
    public void boo(){
        System.out.println("Say haha");

    }
}

If we invoke boo() from B, the output will still be “Say haha” since B inherits the abstract method boo() and makes boo () output “Say haha”.

Sources used and further readings:

http://stackoverflow.com/questions/460446/how-do-virtual-functions-work-in-c-sharp-and-java

Check out this great answer that gives a much more complete information about Virtual functions:

http://stackoverflow.com/questions/4547453/can-you-write-virtual-functions-methods-in-java

Feedback about page:

Feedback:
Optional: your email if you want me to get back to you:



Table Of Contents