一、final 关键字(最终的意思)
final 修饰的类:最终的类,不能被继承
final 修饰的变量:相当于一个常量,在编译生成 .class 文件后,该变量变为常量值
final 修饰的方法:最终的方法,子类不能进行重写,但可以继承过来使用
二、static 关键字(静态的意思)
static 可以用来修饰类中的成员(成员变量、成员方法),也可以用来修饰成员内部类
特点:
static 修饰的成员,会被所有的对象所共享
static 修饰的成员,可以通过类名直接调用
注意事项:
静态的成员,随着类的加载而加载,优先于对象存在
在静态方法中,没有 this 关键字
静态方法中,只能调用静态的成员
public class Demo
{
public static int num = 100; //静态成员变量
public static void fun() //静态成员方法
{
System.out.println("静态方法");
}
}
public class Main
{
public static viod main(String[] args)
{
Demo d1 = new Demo();
Demo d2 = new Demo();
d1.num = 200; //其中一个对象对类中的变量进行修改
System.out.println(d1.num); //结果为200
System.out.println(d2.num); //因为是共享变量,所以结果还是200
System.out.println(Deom.num); //可以通过类名来直接访问变量
Demo.fun(); //可以通过类名来直接访问方法
}
}
网友评论