1. 类和对象的操作模式
类是数据类型定义
对象是目前操作成员方法,操作成员变量的核心
2. 这两组代码在main方法中基本上全部是一个面向对象思想
a. 自定义数据类型,自定义类对象,作为方法参数。
b. 通过类对象来操作代码方式,所有的内容都是和对象相关
3. 代码需要阅读,一定要阅读!!!
不要断章取义!!!
. 就是的
4. 代码中要什么你给什么
12.3 匿名对象
Person person =newPerson("小杰",66,'男');
Person 类名
person 对象名
newPerson(...) 像内存的堆区申请空间,创建一个Person类对象使用的内存空间
匿名对象
没有名字的对象,没有对象名的对象
格式:
new 构造方法(所需参数)
用途
1. 提高开发效率,隐形眼镜日抛,一次性筷子
匿名对象当前行使用之后,如果没有其他引用数据类型的变量保存其地址,直接销毁
2. 简化代码结构
3. 通过匿名对象直接调用成员方法
4. 使用匿名对象作为方法的参数
12.3.1 代码演示
classDog{// 成员变量 Field
String name;// 成员方法 Methodpublicvoidsleep(){
System.out.println("小狗睡觉~~~");}}publicclassDemo1{publicstaticvoidmain(String[] args){// 常见模式
Dog dog =newDog();
dog.sleep();
System.out.println("---------------------");// 使用匿名对象直接调用成员方法// 通过匿名对象调用方法之后,当前匿名对象销毁newDog().sleep();// 只要有new关键字,重新创建对象,不存在同一个对象
System.out.println(newDog());
System.out.println(newDog());
System.out.println("---------------------");// 匿名对象不推荐使用成员变量,因为肉包子打狗,有去无回// 以下代码中是三个完全不同的Dog类对象,给其中任何一个赋值都是无法取出的newDog().name ="骚杰";newDog();
System.out.println(newDog().name);
System.out.println("---------------------");
Dog dog2 =newDog();useDog(dog2);// 匿名对象直接作为方法的参数,【常用】useDog(newDog());/**要注意这块的调用 匿名对象作为方法参数*/// 下面这一行代码,你们要保证不要问我!!!我只做演示,后面一定会讲 缓冲字节输入流// BufferedInputStream bufferedInputStream = new BufferedInputStream(new FileInputStream(new File("C:/aaa/1.txt")));}/**
* 该方法需要的参数是一个Dog类对象
*
* @param dog Dog类对象
*/publicstaticvoiduseDog(Dog dog){
dog.sleep();}}
classFather{publicint height;privateint testPrivate;publicvoidgame(){
System.out.println("钓鱼,象棋~~~");}privatevoidprivateMethod(){
System.out.println("私有化方法");}}/*
* Son类是Father类的一个子类
* Father类是Son类的唯一父类
*/classSonextendsFather{publicint age;publicvoidstudy(){
System.out.println("子类学习方法!!!好好学习,天天向上!");}}publicclassDemo1{publicstaticvoidmain(String[] args){// 创建一个Father类对象
Father father =newFather();// 通过Father类对象,使用father类内的成员变量和成员方法
father.height =170;
father.game();
System.out.println(father.height);
System.out.println("------------------------------------");// 创建一个Son类对象
Son son =newSon();// 使用Son类对象,调用Son类自己的成员变量和成员方法
son.age =16;
son.study();
System.out.println(son.age);// 使用Son类的对象,调用通过继承得到的父类【内容】// 可以使用Father类内height 成员变量,height成员变量是使用public修饰的
son.height =172;// 可以使用Father类内的game 成员方法,game成员方法使用public修饰
son.game();// private修饰的成员变量,和成员方法不能继承给子类使用// The field Father.testPrivate is not visible// son.testPrivate = 10;// The method privateMethod() from the type Father is not visible// son.privateMethod();}}