一、static关键字的应用场景
针对某一个变量属于类而不属于某一个具体的对象的时候,可以考虑使用static关键字
二、 static概述:
多个对象共享同一份数据
三、static的特点及使用方法
1.static修饰的变量又称为共享变量,类变量,静态变量
2.静态成员属于某一类的,而不属于某一个具体的对象
3.访问静态成员的方式:
a.通过对象访问, 但不建议这样做,因为会对与其共享的同一静态变量的对象造成影响
b.通过类名访问
c.通过读(get)、写(set)方法访问
4.静态static关键字可以修饰变量,还能够修饰方法,同时还可以修饰代码块
5.static修饰的方法称为类方法,方法体内部称为静态环境/静态上下文
a.非静态环境可以访问静态变量
b.静态环境下只能够访问静态变量
c.静态环境下不能够出现this,super光健字
6.静态修饰方法的意义
意义:主要用于简化代码
a.静态方法用来访问静态成员
b.编写工具类;例如Arrays 工具类、 Math 工具类
1.构造方法私有
2.成员方法添加static关键字修饰
7.static还可以修饰类,但是必须是内部类
8.static的内存图
static是共享的,不变的,放在方法区,静态代码块在类加载的时候就会执行,并且只执行一次
四、代码演示
public class StaticDemo01 {
public static void main(String[] args) {
Student.country = “中国”;
Student s1 = new Student(“张三”, 18); //创建对象并通过下面的无参构造方法赋值
Student s2 = new Student(“李四”, 20);
Student s3 = new Student();
s1.show(); // 调用show方法
s2.show();
s3.show();
/**(下方s1、s2、s3共享同一静态成员变量“country”,通过对象s2将“美国”赋值给共享成员变量后 ,s1和s3再调用 country时, 得到的值会与s2所赋的值保持一致,即“美国”;)*/
s2.country = “美国”;
s1.show();
s2.show();
s3.show();
Student.staticMethod();
}
}
class Student {
String name;
int age;
static String country;
static class InnerClass {
}
public Student(String name, int age) {
super();
this.name = name;
this.age = age;
}
public Student() { //无参构造方法
super();
}
public Student(String name, int age, String country) { //构造方法、快速初始化成员变量
super();
this.name = name;
this.age = age;
Student.country = country;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}
public void show() { //定义show方法,实现学生信息打印输出
System.out.println(“Student [name=” + name + “, age=” + age + “,country=” + country + “]”);
}
// public String getCountry() {
// return country;
// }
public static String getCountry() {
// System.out.println(this.name);
return country;
}
public static void setCountry(String country) {
Student.country = country;
}
public static void staticMethod() {
System.out.println(“Student.staticMethod()”);
}
}