静态成员
案例一:创建学生对象自动每次创建对象时学生id加一
package com.company.静态成员;
public class demo1 {
public static void main(String[] args) {
Student stu1=new Student();
System.out.println(stu1.getAge());
System.out.println(stu1.getId());
Student stu2=new Student("张三",19);
stu2.setRoom("101");
System.out.println(stu2.getName());
System.out.println(stu2.getId());
System.out.println(stu2.getRoom());
System.out.println(stu2.getAge());
}
}
package com.company.静态成员;
public class Student {
private int id;//学号
private String name;
private int age;
private String room;
private static int idcounter=0;//学号计数器,每创建一个学号对象时计时器+1
public Student() {
this.id=++idcounter;
}
public Student(String name, int age) {
this.name = name;
this.age = age;
this.id=++idcounter;
}
public int getId() {
return id;
}
public void setId(int id) {
this.id = id;
}
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 String getRoom() {
return room;
}
public void setRoom(String room) {
this.room = room;
}
}
案例二:
- 一旦static修饰成员方法,那么就成为了静态方法,静态方法不属于对象,是属于类的
- 如果没有static关键字就必须先城建对象,然后通过对象才能使用它
- 如果有了static关键字,就不需要创建对象,直接通过类名使用它
- 无论是成员变量还是成员方法,只要有static关键字,都建议用类名调用它。
- 静态变量 类名.变量名
- 静态方法 类名.方法名()
注意事项
- 静态不能直接访问非静态
原因:在内存中是现有静态内容后有非静态内容 - 静态方法不能使用this
原因:this方法只带当前对象,通过谁调用的方法谁就是当前对象可以理解为this所在方法是谁的对象,那么this指代的就是那个对象 lanya
package com.company.静态成员;
public class demo2 {
public static void main(String[] args) {
Mycalss obj=new Mycalss();
obj.num=67;
obj.method();
Mycalss.numStatic=100;
obj.method();
Mycalss.methodStatic();
}
}
package com.company.静态成员;
public class Mycalss {
int num;
public static int numStatic;
public void method(){
System.out.println("这是一个成员方法");
System.out.println(num);
System.out.println(numStatic);//成员方法可以访问静态变量
}
//静态方法
public static void methodStatic(){
System.out.println("这是一个静态方法");
System.out.println(numStatic);
}
}