Java构造函数的主要目的是初始化类的实例变量。
但是,如果类具有静态变量,则无法使用构造函数对其进行初始化(可以在构造函数中为静态变量分配值,但在这种情况下,我们只是将值分配给静态变量)。因为静态变量在实例化之前(即在调用构造函数之前)已加载到内存中
因此,我们应该从静态上下文初始化静态变量。我们不能在构造函数之前使用静态变量,因此,作为替代方案,您可以使用静态块初始化静态变量。
甲静块是代码使用静态关键字的块。通常,这些用于初始化静态成员。JVM在类加载时在main方法之前执行静态块。
在以下Java程序中,Student类具有两个静态变量name和age。
在此,我们使用Scanner类从用户读取名称,年龄值,并从静态块初始化静态变量。
import java.util.Scanner; public class Student { public static String name; public static int age; static { Scanner sc = new Scanner(System.in); System.out.println("Enter the name of the student: "); name = sc.nextLine(); System.out.println("Enter the age of the student: "); age = sc.nextInt(); } public void display(){ System.out.println("Name of the Student: "+Student.name ); System.out.println("Age of the Student: "+Student.age ); } public static void main(String args[]) { new Student().display(); } }
输出结果
Enter the name of the student: Ramana Enter the age of the student: 16 Name of the Student: Ramana Age of the Student: 16