解释 Java 中对象的缩小。
Java 提供各种数据类型来存储各种数据值。它提供 7 种原始数据类型(存储单个值),即布尔值、字节、字符、短整型、整型、长整型、浮点型、双精度型和引用数据类型(数组和对象)。
类型转换 −在 Java 中,将一种原始数据类型转换为另一种原始数据类型称为类型转换。您可以通过两种方式转换原始数据类型,即扩展和缩小。
缩小 −将较高的数据类型转换为较低的数据类型称为缩小。在这种情况下,转换/转换不会自动完成,您需要使用转换运算符"()"明确进行转换。因此,它被称为显式类型转换。在这种情况下,两种数据类型不需要相互兼容。
示例
import java.util.Scanner; public class NarrowingExample { public static void main(String args[]){ Scanner sc = new Scanner(System.in); System.out.println("输入一个整数值: "); int i = sc.nextInt(); char ch = (char) i; System.out.println("给定整数的字符值:"+ch); } }
输出
输入一个整数值: 67 给定整数的字符值:C
使用对象缩小范围
您可以将一种(类)类型的引用(对象)转换为另一种类型。但是,两个类中的一个应该继承另一个。
因此,如果一个类继承了另一个类的属性,则将超类对象转换为子类类型被视为对象的缩小。
但与缩小情况不同,您需要使用强制类型转换运算符。
示例
在下面的 Java 示例中,我们有两个类,即 Person 和 Student。Person 类有两个实例变量 name 和 age,以及一个实例方法 displayPerson(),用于显示 name 和 age。
Student 扩展了 person 类,除了继承的 name 和 age 之外,它还有两个变量 branch 和 student_id。它有一个方法 displayData(),用于显示所有四个值。
在主方法中,我们分别创建了两个类的对象,并尝试将子类对象转换为超类类型。
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) { //创建 Student 类的对象 Student student = new Student("Krishna", 20, "IT", 1256); //将 Student 的对象转换为 Person Person person = new Person("Krishna", 20); //将 person 的对象转换为 student student = (Student) person; student.displayPerson(); student.displayStudent(); } }
运行时错误
对于此引用,两个类的成员都可用,程序编译成功。但是,当您尝试执行它时,将引发异常,如下所示 −
线程"main"中的异常 java.lang.ClassCastException:ther.Person 无法转换为 ther.Student at ther.Student.main(Student.java:41)
要解决此问题,首先您需要使用子类对象创建超类引用,然后使用转换运算符将此(超)引用类型转换为子类类型。
示例
public static void main(String[] args) { //将 Student 的对象转换为 Person Person person = new Student("Krishna", 20, "IT", 1256); //将 person 对象转换为 student Student student = (Student) person; student.displayPerson(); student.displayStudent(); }
输出
Data of the Person class: Name: Krishna Age: 20 Data of the Student class: Name: Krishna Age: 20 Branch: IT Student ID: 1256