As of Java 17, non-static inner classes can declare static members. The member is for the entire class. It doesn't matter which object instantiated it. Here is a sample program to demonstrate that.
public class Demo {
public static void main(String[] args) {
Person fred = new Person("Fred");
Person.Property p1 = fred.new Property("last name", "Flintstone");
Person wilma = new Person("Wilma");
Person.Property p2 = wilma.new Property("spouse", fred);
System.out.println(p1);
System.out.println(p2);
}
}
class Person {
private String name;
public Person(String name) { this.name = name; }
public class Property {
private static int count;
private String name;
private Object value;
public Property(String name, Object value) {
count++;
this.name = name;
this.value = value;
}
public String toString() { return "I am a property (one of " + count + ") of " + Person.this.name + " with name " + name + " and value " + value; }
}
}
The output:
I am a property (one of 2) of Fred with name last name and value Flintstone
I am a property (one of 2) of Wilma with name spouse and value Person@4e25154f
The point is one of 2
. One of the Property
objects belongs to fred
, the other to wilma
. The static variable count
doesn't care. The Person.Property
class has a single static count
variable.