📜  Java中的超级关键字

📅  最后修改于: 2022-05-13 01:54:55.881000             🧑  作者: Mango

Java中的超级关键字

Java中的super关键字是一个引用变量,用来引用父类对象。关键词“super”带着继承的概念出现了。它主要用于以下情况:

1. super 与变量的使用:当派生类和基类具有相同的数据成员时,会发生这种情况。在这种情况下,JVM 可能会产生歧义。我们可以使用这个代码片段更清楚地理解它:

/* Base class vehicle */
class Vehicle
{
    int maxSpeed = 120;
}
  
/* sub class Car extending vehicle */
class Car extends Vehicle
{
    int maxSpeed = 180;
  
    void display()
    {
        /* print maxSpeed of base class (vehicle) */
        System.out.println("Maximum Speed: " + super.maxSpeed);
    }
}
  
/* Driver program to test */
class Test
{
    public static void main(String[] args)
    {
        Car small = new Car();
        small.display();
    }
}

输出:

Maximum Speed: 120

在上面的例子中,基类和子类都有一个成员maxSpeed。我们可以使用 super 关键字访问子类中基类的 maxSpeed。

2. super with methods的使用:当我们要调用父类方法时使用。因此,每当父类和子类具有相同的命名方法时,为了解决歧义,我们使用 super 关键字。此代码片段有助于理解 super 关键字的上述用法。

/* Base class Person */
class Person
{
    void message()
    {
        System.out.println("This is person class");
    }
}
  
/* Subclass Student */
class Student extends Person
{
    void message()
    {
        System.out.println("This is student class");
    }
  
    // Note that display() is only in Student class
    void display()
    {
        // will invoke or call current class message() method
        message();
  
        // will invoke or call parent class message() method
        super.message();
    }
}
  
/* Driver program to test */
class Test
{
    public static void main(String args[])
    {
        Student s = new Student();
  
        // calling display() of Student
        s.display();
    }
}

输出:

This is student class
This is person class

在上面的例子中,我们已经看到,如果我们只调用方法 message() 那么,当前类 message() 被调用,但是使用 super 关键字,超类的 message() 也可以被调用。

3 . super 与构造函数的使用: super 关键字也可用于访问父类的构造函数。更重要的一点是,“super”可以根据情况调用参数构造函数和非参数构造函数。以下是解释上述概念的代码片段:

/* superclass Person */
class Person
{
    Person()
    {
        System.out.println("Person class Constructor");
    }
}
  
/* subclass Student extending the Person class */
class Student extends Person
{
    Student()
    {
        // invoke or call parent class constructor
        super();
  
        System.out.println("Student class Constructor");
    }
}
  
/* Driver program to test*/
class Test
{
    public static void main(String[] args)
    {
        Student s = new Student();
    }
}

输出:

Person class Constructor
Student class Constructor

在上面的示例中,我们通过子类构造函数使用关键字“super”调用了超类构造函数。

其他要点:

  1. 调用 super() 必须是 Derived(Student) 类构造函数中的第一条语句。
  2. 如果构造函数没有显式调用超类构造函数, Java编译器会自动插入对超类的无参数构造函数的调用。如果超类没有无参数构造函数,您将收到编译时错误。 Object确实有这样的构造函数,所以如果 Object 是唯一的超类,则没有问题。
  3. 如果子类构造函数显式或隐式调用其超类的构造函数,您可能会认为调用了整个构造函数链,一直到 Object 的构造函数。事实上,情况就是这样。它被称为构造函数链接..