Java Static

In Java, the static keyword is used to create members (variables and methods) that belong to the class rather than instances of the class. Here's an overview of static members:

Static Variables:

  • Static variables (also known as class variables) are shared among all instances of a class.
  • They are declared with the static keyword.
  • Example:
class Counter {
    static int count = 0;
}

Static Methods:

  • Static methods belong to the class rather than instances of the class.
  • They can be called without creating an instance of the class.
  • Example:
class MathUtils {
    static int add(int x, int y) {
        return x + y;
    }
}

Static Blocks:

  • Static blocks are used to initialize static variables or perform other static initialization tasks.
  • They are executed when the class is loaded into memory.
  • Example:
class MyClass {
    static {
        // Static block
        System.out.println("Static block executed");
    }
}

Static Nested Classes:

  • Static nested classes are nested classes that are declared as static.
  • They can access static members of the enclosing class.
  • Example:
class Outer {
    static class Nested {
        void display() {
            System.out.println("Nested class");
        }
    }
}

Static Import:

  • The static import statement allows static members of a class to be imported directly without using the class name.
  • Example:
import static java.lang.Math.PI;

 

Summary

Static members in Java provide a way to share data and behavior across all instances of a class. They are often used for utility methods, constants, and initialization tasks. Understanding how to use static members effectively is essential for writing efficient and maintainable Java code.