JAVA中,继承父类和重写父类方法有什么区别?

在Java中,继承和重写都是面向对象编程的重要概念,但它们有着完全不同的作用:

  • 继承:继承是对象之间的一种关系,子类(派生类)会继承父类(基类)的属性(成员变量)和方法。这使得你可以使用父类的代码,并添加或改变类的行为,以适应新的需求。继承主要是为了代码重用和增强类的功能。

  • 重写(Override):重写是子类改变继承自父类的方法的行为。子类的方法必须与父类的方法具有相同的名称、参数列表和返回类型。重写是多态性的一种具体化表现,使得父类的同一方法在各个子类中可以有不同的行为。

下面是一个简单的例子来解释这两个概念:

public class Animal {
    public void makeSound() {
        System.out.println("The animal makes a sound");
    }
}

public class Cat extends Animal {
    @Override
    public void makeSound() {
        System.out.println("The cat says: Meow Meow");
    }
}

public class Test {
    public static void main(String[] args) {
        Animal myAnimal = new Animal();
		myAnimal.makeSound();  // 输出:The animal makes a sound
        
        Animal myCat = new Cat();
		myCat.makeSound();    // 输出:The cat says: Meow Meow
    }
}

 上述例子中,Cat类继承了Animal类并重写了makeSound方法。当我们创建一个Cat对象并调用makeSound方法时,Java虚拟机会调用Cat类中的makeSound方法,而不是Animal中的方法。这就是重写的作用。

你可能感兴趣的:(java,开发语言)