解释 Java 中对象的扩展。

java 8object oriented programmingprogramming

Java 提供各种数据类型来存储各种数据值。它提供 7 种原始数据类型(存储单个值),即布尔值、字节、字符、短整型、整型、长整型、浮点型、双精度型和引用数据类型(数组和对象)。

类型转换 − 在 Java 中,将一种原始数据类型转换为另一种原始数据类型称为类型转换。您可以通过两种方式转换原始数据类型,即扩展和缩小。

扩展 − 将较低的数据类型转换为较高的数据类型称为扩展。在这种情况下,转换/转换是自动完成的,因此,它被称为隐式类型转换。在这种情况下,两种数据类型应该相互兼容。

示例

public class WideningExample {
   public static void main(String args[]){
      char ch = 'C';
      int i = ch;
      System.out.println(i);
   }
}

输出

给定字符的整数值:67

使用对象扩展

您可以将一个(类)类型的引用(对象)转换为另一个。但是,两个类中的一个应该继承另一个。

因此,如果一个类继承了另一个的属性,则将子类对象转换为超类类型被视为相对于对象的扩展。

示例

在下面的 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);
      //将 student 的对象转换为 person
      person = (Student) student;
      person.displayPerson();
   }
}

输出

Data of the Person class:
Name: Krishna
Age: 20

简而言之,超类引用变量可以保存子类对象。但是,使用此引用您只能访问超类的成员,如果您尝试访问子类成员,将生成编译时错误。

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

相关文章