विरासत दो वर्गों के बीच एक संबंध है जहां एक वर्ग दूसरे वर्ग के गुणों को प्राप्त करता है। इस संबंध को -
. के रूप में विस्तृत कीवर्ड का उपयोग करके परिभाषित किया जा सकता हैpublic class A extends B{
}
जिस वर्ग को गुण विरासत में मिलते हैं उसे उप वर्ग या बाल वर्ग के रूप में जाना जाता है और जिस वर्ग की संपत्ति विरासत में मिली है वह सुपर क्लास या मूल वर्ग है।
इनहेरिटेंस में सब क्लास ऑब्जेक्ट में सुपर क्लास के सदस्यों की एक कॉपी बनाई जाती है। इसलिए, उप-वर्ग ऑब्जेक्ट का उपयोग करके आप दोनों वर्गों के सदस्यों तक पहुंच सकते हैं।
सुपर क्लास रेफरेंस वेरिएबल को सब क्लास टाइप में बदलना
आप केवल कास्ट ऑपरेटर का उपयोग करके सुपर क्लास वेरिएबल को सब क्लास प्रकार में बदलने का प्रयास कर सकते हैं। लेकिन, सबसे पहले आपको सब क्लास ऑब्जेक्ट का उपयोग करके सुपर क्लास रेफरेंस बनाना होगा और फिर, इस (सुपर) रेफरेंस टाइप को कास्ट ऑपरेटर का उपयोग करके सब क्लास टाइप में बदलना होगा।
उदाहरण
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 Sample extends Person { public String branch; public int Student_id; public Sample(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 Sample("Krishna", 20, "IT", 1256); //Converting super class variable to sub class type Sample obj = (Sample) person; obj.displayPerson(); obj.displayStudent(); } }
आउटपुट
Data of the Person class: Name: Krishna Age: 20 Data of the Student class: Name: Krishna Age: 20 Branch: IT Student ID: 1256
उदाहरण
class Super{ public Super(){ System.out.println("Constructor of the super class"); } public void superMethod() { System.out.println("Method of the super class "); } } public class Test extends Super { public Test(){ System.out.println("Constructor of the sub class"); } public void subMethod() { System.out.println("Method of the sub class "); } public static void main(String[] args) { Super sup = new Test(); //Converting super class variable to sub class type Test obj = (Test) sup; obj.superMethod(); obj.subMethod(); } }
आउटपुट
Constructor of the super class Constructor of the sub class Method of the super class Method of the sub class