QN039. Write a suitable class with using this, and super keyword.
1. Objective
To create a class with using this and super keyword.
2. Theory
- i. this
- There can be a lot f usages of java this keyword. In Java, this is a reference variable that refers to the current object.
- ii. super
- The super keyword in Java is a reference variable which is used to refer immediate parent class object. Whenever we create the instance of subclass, an instance of parent class is created implicitly which is referred by super reference variable.
3. Source Code
//1. Program using this keyword
class Bike{
int bikeNo;
String bikeName;
float bikePrice;
Bike(int bikeNo,String bikeName, float bikePrice){
this.bikeNo = bikeNo;
this.bikeName = bikeName;
this.bikePrice = bikePrice;
}
void display()
{
System.out.println(bikeNo + " " + bikeName + " Rs." + bikePrice);
}
}
public class Qn039 {
public static void main(String[] args){
Bike b = new Bike(4262, "FZS", 260000f);
b.display();
}
}
//2. Program using super keyword
class Animal{
String color= "red";
}
class Rabbit extends Animal{
String color = "White";
void printColor(){
System.out.println("Rabbit color: " + color); // prints color of Rabbit
System.out.println("Animal color: " + super.color); //prints color of animal
}
}
public class Qn039{
public static void main(String[] args){
Rabbit r = new Rabbit();
r.printColor();
}
}
4. Output
Output: this keyword
4262 FZS Rs.260000.0
Output: super keyword
Rabbit color: white
Animal color: red
5. Conclusion
In this way, I would like to conclude that, we can use this keyword to refer the current object and super keyword to refer immediate parent class object.