Call super without super keyword java

651 Views Asked by At

Im developing Android Application and somehow I should call "super" without super keyword inside method. Can I call super with instance of class? For example:

@Override 
public void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState); 
}

How can I call super.onCreate(savedInstanceState) without using super keyword?

UPDATE 1 I tried this but this is not working too.

@Override   
public void onCreate(Bundle savedInstanceState) { 
    try {
        getClass().getSuperclass().getMethod("onCreate",Bundle.class).invoke(this,savedInstanceState);
    } 
    catch (IllegalAccessException e) {
        e.printStackTrace();
    } 
    catch (InvocationTargetException e) {
        e.printStackTrace();
    } 
    catch (NoSuchMethodException e) {
        e.printStackTrace();
    }
}

Note: Please understand what I'm talking about. Don't say 'call super()'.

2

There are 2 best solutions below

13
On BEST ANSWER

Not calling super methods is generally a very bad idea, especially when it comes to the activity lifecycle. In fact, an activity will crash without fail if the super method of an activity lifestyle event is not called.

By using @Override on a method, you are amending its functionality to do tasks you require, i.e. declare views. However, the parent class may need to do other important things that are of no concern to app-level developers i.e. set states or flags. If a method was designed to be completely implemented by an app-level developer without any parent code executed, it would be declared abstract or part of an interface instead.

Further reading:

1
On
public class A {
    static void m1() {
        System.out.println("m1 P");
    }
}
class B extends A {
    static void m1() {
        System.out.println("m1 C");
    }
}
class Test {
    public static void main(String[] args) {
        A a = new B();
        A.m1();
    }
}