top button
Flag Notify
    Connect to us
      Site Registration

Site Registration

What is difference between static (class) method and instance method?

+3 votes
295 views
What is difference between static (class) method and instance method?
posted Oct 30, 2015 by Karthick.c

Share this question
Facebook Share Button Twitter Share Button LinkedIn Share Button

1 Answer

+1 vote

The basic paradigm in Java is that you write classes, and that those classes are instantiated. Instantiated objects (an instance of a class) have attributes associated with them (member variables) that affect their behavior; when the instance has its method executed it will refer to these variables.

However, all objects of a particular type might have behavior that is not dependent at all on member variables; these methods are best made static. By being static, no instance of the class is required to run the method.

You can do this to execute a static method:

MyObject.staticMethod();//Simply refers to the class's static code

But to execute a non-static method, you must do this:

MyObject obj = new MyObject();//Create an instance
obj.nonstaticMethod();//Refer to the instance's class's code

On a deeper level, when the compiler puts a class together, it contains several pointers to methods. When those methods are executed it follows the pointers and executes the code at the far end. If a class is instantiated, the created object contains a pointer to the "virtual method table", which points to the methods to be called for that particular class in the inheritance hierarchy. However, if the method is static, no "virtual method table" is needed: all calls to that method go to the exact same place in memory to execute the exact same code. For that reason, in high-performance systems it's better to use a static method if you are not reliant on instance variables.

answer Mar 22, 2016 by Shivam Kumar Pandey
...