凡是加了static都是和类同时创建的(在内存中和类一起加载)
静态的变量对于类而言在内存中只有一个,可以被类中的所有实例共享
加了static的属性或者方法都可以直接调用,没有加的需要进行实例化之后才可以调用
package com.oo.oop.staticKeyword;
?
public class Student {
private static int age;
private double score;
?
public void run(){
?
}
?
public static void go()
{
?
}
?
public static void main(String[] args) {
Student s1 = new Student();
System.out.println(Student.age);
//System.out.println(Student.score);//无法调用,没有存在score
System.out.println(s1.age);
System.out.println(s1.score);
?
s1.run();
Student.go();
}
}
?
static静态的方法只执行一次
package com.oo.oop.staticKeyword;
?
public class Teacher {
//一般用来赋初始值
{
System.out.println("匿名代码块");
}
?
static {
System.out.println("静态代码块");
}
?
public Teacher() {
System.out.println("构造方法");
}
?
public static void main(String[] args) {
Teacher teacher1 = new Teacher();
/*输出顺序:静态代码块
匿名代码块
构造方法
*/
System.out.println("--------------");
Teacher teacher2 = new Teacher();
/*输出顺序:匿名代码块
构造方法
*/
?
}
}
?
package com.oo.oop.staticKeyword;
?
//静态导入包
import static java.lang.Math.random;
public class Test {
public static void main(String[] args) {
//System.out.println(Math.random());
//想要省略Math,可以静态导入包
System.out.println(random());
}
}
?
原文:https://www.cnblogs.com/Share-my-life/p/14730093.html