Java中的static关键字
1、static关键字简介
static为java中的关键字,可以修饰类中的方法、变量,以及修饰静态代码块
当用static修饰的方法和变量时可以直接通过类名.方法名和类名.变量名来访问,不需要进行对象的实例化操作,方便在没有创建对象的时候来调用方法或者变量
2、static修饰方法
static修饰方法时,改方法称之为静态方法,由于static修饰的方法不需要通过对象的实例化来方法,所以在静态方法中不能访问非静态方法(实例方法)和非静态变量(实例变量),但是在非静态方法中可以访问静态方法
`` public StaticDemo() {
`` }
`` private static String str1 = "hello-static";
`` private String str2 = "hello-static-hello";
`` private void printStr1() {
`` System.out.println(str1);
`` System.out.println(str2);
`` }
`` private static void printStr2() {
`` System.out.println(str1);
`` System.out.println(str2);
`` printStr1();
`` }
`` }`
当在静态方法printStr2访问非静态变量str2时,此时对象还没有进行实例化操作,所以无法访问实例变量str2,同样在静态方法printStr2中无法访问非静态方法printStr1
#### 3、static修饰变量
当static修饰变量时,被称为静态变量,在类初始加载时就会进行初始化,并且初始化一次,在内存中只有一个副本,属于类的一部分,jdk8中存储于堆中,而非静态变量是每个实例化对象所拥有的,在初始化对象的时候创建,每个对象所拥有的互不影响,静态变量的初始化顺序按照定义的顺序进行初始化
#### 4、static修饰代码块
当static修饰代码块时,可以有多个代码块,初始化顺序按照定义的顺序进行初始化,并且也只会执行一次
#### 5、static相关题目
当static修饰父类、子类相关代码块、静态变量时
加载顺序:
父类静态变量、静态代码块 ->子类静态变量、静态代码块->父类成员变量、普通代码块->父类构造方法->子类成员变量、普通代码块->子类构造方法
``` public class StaticParent {
`` private static String staticParent="父类静态变量";
`` static {
`` System.out.println("父类静态代码块-->"+staticParent);
`` }
`` public StaticParent(){
`` System.out.println("父类构造器");
`` }
`` }`
``` public class StaticChild extends StaticParent{
`` public StaticChild(){
`` System.out.println("子类构造器");
`` }
`` private static String staticChild="类静态变量";
`` static {
`` System.out.println("子类静态代码块-->"+staticChild);
`` }
`` public static void main(String[] args) {
`` StaticChild staticChild1=new StaticChild();
`` StaticChild staticChild2=new StaticChild();
`` }
`` }`
``` 父类静态代码块-->父类静态变量
`` 子类静态代码块-->类静态变量
`` 父类构造器
`` 子类构造器
`` 父类构造器
`` 子类构造器
`