java类与对象
程序员文章站
2024-03-15 18:08:00
...
创建类
public class Person {
//属性
String name;
char gender;
int age;
//方法 无参无返回
public void eat(){
System.out.println("刚吃完晚饭");
}
//有参无返回
public void learn(String A){
System.out.println("我在"+A+"学习");
}
//有参有返回
public int getAge(int B){
return B;
}
}
创建对象
//相同路径下无需导入
public class test2 {
public static void main(String[] args){
Person myperson = new Person(); //使用new关键字创建一个对象;
myperson.name = "Hey"; //使用对象属性(对象名. 成员变量);
System.out.println(myperson.name);
}
}
同一个类的每个对象有不同的成员变量的存储空间;
同一个类的每个对象共享该类的方法
public class test2 {
public static void main(String[] args){
Person one = new Person();
System.out.println(one.age);
Person two = new Person();
two.age = 23; //与one在不同存储空间
System.out.println(two.age);
}
}
public class test2 {
public static void main(String[] args){
Person one = new Person();
//使用对象方法(对象名. 方法);
one.eat(); //调用无参数的方法,
one.learn("家里"); //调用有参数的方法
int age1 = one.getAge(21); //调用有返回的方法,需要打印才有显示
System.out.println(age1);
}
}
成员变量类型 | 默认取值 |
---|---|
byte | 0 |
short | 0 |
int | 0 |
long | 0L |
char | ‘\u0000’ |
float | 0.0F |
double | 0.0D |
boolean | false |
所有引用类型 | null |
成员变量比局部变量的作用域大
public class test2 {
static int cc; //成员变量
public static void main(String[] args){
System.out.println(cc);
}
}
return关键字
返回方法指定的类型值(这个值总是确定的)
结束方法的执行(仅仅一个return语句)
//创建函数,调用函数
class School{
String name; //定义属性
public String getSlogan(String n){ //有参有返回的方法
return n;
}
}
public class test3 {
public static void main(String[] args){
School myschool = new School();
myschool.name = "xxxx";
System.out.println(myschool.name);
String slogan = myschool.getSlogan("厚德载物");
System.out.println(slogan);
}
}
上一篇: 第四周作业