Static vs Instance Variables: Difference?

What is the difference between a static and instance variable. The following sentence is what I cant get:

In certain cases, only one copy of a particular variable should be shared by all objects of a class- here a static variable is used.
A static variable represents class wide info.All objects of a class share the same data.

I thought that instance vars were used class wide whereas static variables only had scope within their own methods?


答案 1

In the context of class attributes, has a different meaning. If you have a field like:static

private static int sharedAttribute;

then, each and every instance of the class will share the same variable, so that if you change it in one instance, the change will reflect in all instances, created either before or after the change.

Thus said, you might understand that this is bad in many cases, because it can easiy turn into an undesired side-effect: changing object also affects and you might end up wondering why changed with no apparent reasons. Anyway, there are cases where this behaviour is absolutely desirable:abb

  1. class constants: since they are , having all the classes access the same value will do no harm, because no one can change that. They can save memory too, if you have a lot of instances of that class. Not sure about concurrent access, though.const
  2. variables that are intended to be shared, such as reference counters &co.

static vars are instantiated before your program starts, so if you have too many of them, you could slow down startup.

A method can only access attributes, but think twice before trying this.staticstatic

Rule of thumb: don't use , unless it is necessary and you know what you are doing or you are declaring a class constant. static


答案 2

Say there is a test class:

class Test{
public static int a = 5;
public int b = 10;
}
// here t1 and t2 will have a separate copy of b
// while they will have same copy of a.
Test t1 = new test(); 
Test t2 = new test();

You can access a static variable with it's class Name like this

Test.a = 1//some value But you can not access instance variable like this
System.out.println(t1.a);
System.out.println(t2.a);

In both cases output will be 1 as a is share by all instances of the test class. while the instance variable will each have separate copy of b (instance variable) So

 t1.b = 15 // will not be reflected in t2.
 System.out.println(t1.b); // this will print 15
 System.out.println(t2.b); / this will still print 10; 

Hope that explains your query.