在Java中,当子类对象赋值给父类对象时会发生什么?
在Java中,将一种数据类型转换为另一种数据类型的过程称为类型转换。
如果将更高数据类型转换为较低数据类型,则称为缩小转换(将更高数据类型的值赋给较低数据类型的变量)。
char ch = (char)5;
如果将较低数据类型转换为更高数据类型,则称为扩展转换(将较低数据类型的值赋给更高数据类型的变量)。
Int i = 'c';
类似地,您也可以将一个类类型的对象转换为其他类型。但这两个类必须存在继承关系。然后,
如果将父类转换为子类类型,则在引用方面称为缩小转换(子类引用变量持有父类对象)。
Sub sub = (Sub)new Super();
如果将子类转换为父类类型,则在引用方面称为扩展转换(父类引用变量持有子类对象)。
Super sup = new Sub();
将子类对象赋值给父类变量
因此,如果将子类对象的赋值给父类的引用变量,则子类对象将转换为父类类型,此过程称为扩展转换(在引用方面)。
但是,使用此引用只能访问父类的成员,如果尝试访问子类成员,则会生成编译时错误。
示例
在下面的Java示例中,我们有两个类,分别是Person和Student。Person类有两个实例变量name和age,以及一个实例方法displayPerson(),用于显示姓名和年龄。
Student类继承Person类,除了继承的name和age之外,它还有两个变量branch和student_id。它有一个方法displayData(),用于显示所有四个值。
在main方法中,我们将子类对象赋值给父类引用变量
class Person{ public String name; public 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: "+super.name); System.out.println("Age: "+super.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
访问子类方法
当您将子类对象赋值给父类引用变量,并使用此引用尝试访问子类成员时,将生成编译时错误。
示例
在这种情况下,如果将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
广告