1.类与对象
a.类(设计图):是对象共同特征的描述。
b.对象:是真实存在的具体东西。(在Java必须先设计类,才能获得对象`new)
1.1如何定义类
1.2如何得到对象
2.类与对象的例题
2.1创建一个Phone类,手机可以打电话玩游戏品牌和价格。
//新建一个类
public class Phone {
//新建两个属性
String brand;
double price;
//属性的行为
public void call(){
System.out.println("手机会打电话");
}
public void playGame(){
System.out.println("手机会玩游戏");
}
}
public class PhoneTest {
public static void main(String[] args){
//创建手机的对象
//类名 对象名=new 类名();
Phone p=new Phone();
//给手机赋值
p.brand="小米";
p.price=1999.9;
//获取手机对象中的值
System.out.println(p.brand);
System.out.println(p.price);
//调用手机中的方法
p.call();
p.playGame();
}
}
2.2创建一个女孩类,女孩对象具有姓名年龄性别会吃饭和看电视。
public class Girl {
//属性
String name;
int age;
String gender;
//行为
public void sleep(){
System.out.println("在睡觉");
}
public void eat(){
System.out.println("在吃东西");
}
}
public class GirlTest {
public static void main(String[] args) {
//创建女朋友的对象
Girl gf=new Girl();
gf.age=18;
gf.gender="女";
gf.name="小高";
System.out.println(gf.name);
System.out.println(gf.age);
System.out.println(gf.gender);
gf.eat();
gf.sleep();
}
}
3.总结