Java 中的父类引用变量可以持有子类的对象吗?
是的,父类引用变量实际上可以持有子类对象,这是对象的多态性(将较低数据类型转换为较高数据类型)。
但是,使用此引用,您只能访问父类的成员,如果您尝试访问子类成员,则会生成编译时错误。
示例
在下面的 Java 示例中,我们有两个类,分别是 Person 和 Student。Person 类有两个实例变量 name 和 age,以及一个实例方法 displayPerson(),它显示姓名和年龄。
Student 类扩展了 Person 类,除了继承的 name 和 age 之外,它还有两个变量 branch 和 student_id。它有一个方法 displayData(),显示所有四个值。
在 main 方法中,我们使用父类引用变量赋值子类对象。
class Person{ private String name; private int age; public Person(String name, int age){ this.name = name; this.age = age; } public void displayPerson() { System.out.println("Data of the Person class: "); System.out.println("Name: "+this.name); System.out.println("Age: "+this.age); } } public class Student extends Person { public String branch; public int Student_id; public Student(String name, int age, String branch, int Student_id){ super(name, age); this.branch = branch; this.Student_id = Student_id; } public void displayStudent() { System.out.println("Data of the Student class: "); System.out.println("Name: "+this.name); System.out.println("Age: "+this.age); System.out.println("Branch: "+this.branch); System.out.println("Student ID: "+this.Student_id); } public static void main(String[] args) { Person person = new Student("Krishna", 20, "IT", 1256); person.displayPerson(); } }
输出
Data of the Person class: Name: Krishna Age: 20
Learn Java in-depth with real-world projects through our Java certification course. Enroll and become a certified expert to boost your career.
访问子类方法
当您将子类对象赋值给父类引用变量,并使用此引用尝试访问子类成员时,将生成编译时错误。
示例
在这种情况下,如果您将 Student 对象赋值给 Person 类的引用变量:
Person person = new Student("Krishna", 20, "IT", 1256);
使用此引用,您只能访问父类的方法,即 displayPerson()。如果您尝试访问子类方法,即 displayStudent(),则会生成编译时错误。
因此,如果您将前面程序的 main 方法替换为以下内容,则会生成编译时错误。
public static void main(String[] args) { Person person = new Student("Krishna", 20, "IT", 1256); person.displayStudent(); }
编译时错误
Student.java:33: error: cannot find symbol person.dispalyStudent(); ^ symbol: method dispalyStudent() location: variable person of type Person 1 error
广告