面向对象编程
**面向过程思想:**线性思维,第一步做什么,第二步做什么…
**面向对象思想:**分类的思维模式,思考问题首先需要哪些分类,然后对这些分类进行单独思考
适合处理一些复杂问题
面向对象编程的本质:以类的方式组织代码,以对象的组织(封装)数组
抽象
三大特性:
封装
继承
多态
从认识的角度考虑是先有对象再有类。对象是具体的事物,类是抽象的,是对象的模板
从代码运行的角度来看,是先有类后又对象
方法
**return:**结束方法,返回一个结果,结果可以为空
**方法名:**见名知意
参数列表:(参数类型 参数名,…)
public class Student {
//静态方法
public static void say(){
System.out.println("学生说话了");
}
//非静态方法
public void say1(){
System.out.println("....");
}
}
public class Demo02 {
public static void main(String[] args) {
Student.say();
Student.say1();//方法报错,非静态方法不能直接调用
Student student=new Student();
student.say1();//调用成功,非静态方法要先实例化类才能调用
}
}
public class Demo02 {
public static void main(String[] args) {
//
// Student.say();
/*ctrl+alt+v自动补全*/
// Student student=new Student();
// student.say1();
}
//和类一起加载的
public static void a(){
b();//报错,因为a方法存在时,b方法还不存在,所以调用报错,但b方法可以调用a方法
}
//类实例化后才存在
public void b(){
}
值传递
//值传递
public class Demo04 {
public static void main(String[] args) {
int a=1;
System.out.println(a);
Demo04.change(a);
System.out.println(a);
}
public static void change(int a){
a=10;
}
}
/*
1
1
*/
//因为java是值传递,所以a没有改变
引用传递
//引用传递:对象,本质还是值传递
public class Demo05 {
public static void main(String[] args) {
Person person = new Person();
System.out.println(person.name);
Change(person);
System.out.println(person.name);
}
public static void Change(Person person){
person.name="夏小帅";
}
}
//定义了一个Person类
class Person{
String name;
}
/*
null
夏小帅
*/
类与对象的关系
类是一种抽象的数据类型,它是对某一事物整体的描述,但不能戴白哦某一个具体的事物
对象是抽象类的具体实例
创建与初始化对象
使用new关键字创建对象
package com.OOP.Demo02;
//学生类
public class Student {
//属性:字段
String name;
int age;
public void study(){
System.out.println(this.name+"学生在学习");
}
}
package com.OOP.Demo02;
//一个项目应该只存在一个Main方法
public class Application {
public static void main(String[] args) {
//类是抽象的,需要实例化
//类实例化后会返回一个自己的对象
//student对象就是Student类的具体实例化
Student xiaohong = new Student();
Student xiaoming = new Student();
xiaoming.name="小明";
xiaoming.age=10;
System.out.println(xiaoming.name);
System.out.println(xiaoming.age);
xiaohong.name="小红";
xiaohong.age=9;
System.out.println(xiaohong.name);
System.out.println(xiaohong.age);
}
}
/*
小明
10
小红
9
*/
构造器
构造器也称构造方法,是在创建对象的时候必须要调用的
构造方法的特点:
- 必须和类的名字相同
- 必须没有返回值类型,也不能写void
[外链图片转存失败,源站可能有防盗链机制,建议将图片保存下来直接上传(img-6X6NGdbV-1630142526434)(C:\Users\夏占博\Desktop\截屏\Snipaste_2021-08-28_17-13-59.png)]
//java--》class
public class Person {
String name;
//实例化初始值
//使用new关键字必须要有构造器,本质是在调用构造器
public Person(){
this.name="xiaoxiaoshuai";
}
//有参构造:一旦定义了有参构造,默认构造函数就不起作用了,想要调用无参构造函数,就必须重新定义
public Person(String name){
this.name=name;
}
}