KEMBAR78
Java Methods and Oop Concepts | PDF | Object Oriented Programming | Class (Computer Programming)
0% found this document useful (0 votes)
35 views14 pages

Java Methods and Oop Concepts

The document provides a comprehensive overview of Java methods, including their definition, structure, calling conventions, and examples of method overloading and the use of the 'this' keyword. It also covers object-oriented programming concepts such as classes, objects, inheritance, polymorphism, abstraction, and encapsulation, along with practical examples and assessments. Additionally, it discusses variable arguments in methods and concludes with a summary of key learning outcomes and assessments related to Java methods and OOP principles.

Uploaded by

felix
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
35 views14 pages

Java Methods and Oop Concepts

The document provides a comprehensive overview of Java methods, including their definition, structure, calling conventions, and examples of method overloading and the use of the 'this' keyword. It also covers object-oriented programming concepts such as classes, objects, inheritance, polymorphism, abstraction, and encapsulation, along with practical examples and assessments. Additionally, it discusses variable arguments in methods and concludes with a summary of key learning outcomes and assessments related to Java methods and OOP principles.

Uploaded by

felix
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 14

Java Methods

Definition
A Java method is a collection of statements that are grouped together to perform an
operation. When you call the System.out.println() method, for example, the system actually
executes several statements in order to display a message on the console.

Structure of a method
Syntax: Method definition consists of a method header and a method body.
modifier returnType nameOfMethod (Parameter List) {
// method body
}
• modifier − It defines the access type of the method and it is optional to use.
• returnType − Method may return a value.
• nameOfMethod − This is the method name. The method signature consists of the
method name and the parameter list.
• Parameter List − The list of parameters, it is the type, order, and number of
parameters of a method. These are optional, method may contain zero parameters.
• method body − The method body defines what the method does with the statements.

Example:
public static int methodName(int a, int b) {
// body
}
Here,
• public static − modifier
• int − return type
• methodName − name of the method
• a, b − formal parameters
• int a, int b − list of parameters

Method Definition Example:


Below is a method called minFunction(). This method takes two parameters num1 and
num2 and returns the maximum between the two –

public static int minFunction(int n1, int n2) {


int min;
if (n1 > n2)
min = n2;
else
min = n1;
return min;
}

Method calling
To use or apply a method, it should be called. There are two ways in which a method is
called i.e. method returns a value or returning nothing (no return value).

When a program invokes a method, the program control gets transferred to the called
method. This called method then returns control to the caller in two conditions, when −
o the return statement is executed.
o it reaches the method ending closing brace.

Methods returning void is considered as a call to a statement. For example:


System.out.println("This is Me!");

The method returning value can be understood by the example:


int result = sum(6, 9);

Program Example:
public class ExampleMinNumber {
public static void main(String[] args) {
int a = 11;
int b = 6;
int c = minFunction(a, b);
System.out.println("Minimum Value = " + c);
}

/* returns the minimum of two numbers */


public static int minFunction(int n1, int n2) {
int min;
if (n1 > n2)
min = n2;
else
min = n1;
return min;
}
}

Output:
Minimum value = 6

Void keyword
The void keyword allows us to create methods which do not return a value. Here, in the
following example we're considering a void method methodRankPoints. This method is a
void method, which does not return any value.

Call to a void method must be a statement i.e. methodRankPoints(255.7);. It is a Java


statement which ends with a semicolon as shown in the following example.
Program Example:
public class ExampleVoid {
public static void main(String[] args) {
methodRankPoints(255.7);
}

public static void methodRankPoints(double points) {


if (points >= 202.5) {
System.out.println("Rank:A1");
}else if (points >= 122.4) {
System.out.println("Rank:A2");
}else {
System.out.println("Rank:A3");
}
}
}
Output:
Rank:A1

Passing parameters by value


During a method call, arguments should be passed in the same order as their respective
parameters in the method specification. Parameters can be passed by value or by reference.

Passing Parameters by Value means calling a method with a parameter. Through this, the
argument value is passed to the parameter.

Example:
The following program shows an example of passing parameter by value. The values of the
arguments remain the same even after the method invocation.

public class swappingExample {

public static void main(String[] args) {


int a = 30;
int b = 45;
System.out.println("Before swapping, a = " + a + " and b = " + b);

// Invoke the swap method


swapFunction(a, b);
System.out.println("\n**Now, Before and After swapping values will be same
here**:");
System.out.println("After swapping, a = " + a + " and b is " + b);
}
public static void swapFunction(int a, int b) {
System.out.println("Before swapping(Inside), a = " + a + " b = " + b);
// Swap n1 with n2
int c = a;
a = b;
b = c;
System.out.println("After swapping(Inside), a = " + a + " b = " + b);
}
}
Output:
Before swapping, a = 30 and b = 45
Before swapping(Inside), a = 30 b = 45
After swapping(Inside), a = 45 b = 30
**Now, Before and After swapping values will be same here**:
After swapping, a = 30 and b is 45

Method overloading
When a class has two or more methods by the same name but different parameters, it is
known as method overloading. It is different from overriding. In overriding, a method has
the same method name, type, number of parameters, etc.

Let’s consider the example discussed earlier for finding minimum numbers of integer type.
If, let’s say we want to find the minimum number of double type. Then the concept of
overloading will be introduced to create two or more methods with the same name but
different parameters.

The following example explains the same:


Example:
public class ExampleOverloading {
public static void main(String[] args) {
int a = 11;
int b = 6;
double c = 7.3;
double d = 9.4;
int result1 = minFunction(a, b);

// same function name with different parameters


double result2 = minFunction(c, d);
System.out.println("Minimum Value = " + result1);
System.out.println("Minimum Value = " + result2);
}

// for integer
public static int minFunction(int n1, int n2) {
int min;
if (n1 > n2)
min = n2;
else
min = n1;
return min;
}

// for double
public static double minFunction(double n1, double n2) {
double min;
if (n1 > n2)
min = n2;
else
min = n1;
return min;
}
}

Output
Minimum Value = 6
Minimum Value = 7.3

“this” keyword
“this” is a keyword in Java which is used as a reference to the object of the current class,
with in an instance method or a constructor. Using this you can refer the members of a
class such as constructors, variables and methods.

Note − The keyword this is used only within instance methods or constructors

In general, the keyword this is used to differentiate the instance variables from local
variables if they have same names, within a constructor or a method.

Example:
Here is an example that uses this keyword to access the members of a class

public class This_Example {


// Instance variable num
int num = 10;
This_Example() {
System.out.println("This is an example program on keyword this");
}
This_Example(int num) {
// Invoking the default constructor
this();
// Assigning the local variable num to the instance variable num
this.num = num;
}
public void greet() {
System.out.println("Hi Welcome to Java tutorial");
}
public void print() {
// Local variable num
int num = 20;
// Printing the local variable
System.out.println("value of local variable num is : "+num);
// Printing the instance variable
System.out.println("value of instance variable num is : "+this.num);
// Invoking the greet method of a class
this.greet();
}
public static void main(String[] args) {
// Instantiating the class
This_Example obj1 = new This_Example();
// Invoking the print method
obj1.print();
// Passing a new value to the num variable through parametrized constructor
This_Example obj2 = new This_Example(30);
// Invoking the print method again
obj2.print();
}
}

Output
This is an example program on keyword this
value of local variable num is : 20
value of instance variable num is : 10
Hi Welcome to Java tutorial
This is an example program on keyword this
value of local variable num is : 20
value of instance variable num is : 30
Hi Welcome to Java tutorial

Variable arguments
JDK 1.5 enables you to pass a variable number of arguments of the same type to a method.
The parameter in the method is declared as follows
typeName... parameterName
In the method declaration, you specify the type followed by an ellipsis (...). Only one
variable-length parameter may be specified in a method, and this parameter must be the last
parameter. Any regular parameters must precede it.

Example:
public class VarargsDemo {
public static void main(String args[]) {
// Call method with variable args
printMax(34, 3, 3, 2, 56.5);
printMax(new double[]{1, 2, 3});
}
public static void printMax( double... numbers) {
if (numbers.length == 0) {
System.out.println("No argument passed");
return;
}
double result = numbers[0];
for (int i = 1; i < numbers.length; i++)
if (numbers[i] > result)
result = numbers[i];
System.out.println("The max value is " + result);
}
}
Output:
The max value is 56.5
The max value is 3.0

Conclusion
At the end of this learning outcome, the trainee should be able to explain
methods/procedures/functions, demonstrate methods and create programs using methods.

Written Assessment
1. What is the process of defining more than one method in a class differentiated by
method signature?
a) Function overriding
b) Function overloading
c) Function doubling
d) None of the mentioned
2. Which of the following is a method having same name as that of its class?
a) finalize
b) delete
c) class
d) constructor
3. Which method can be defined only once in a program?
a) main method
b) finalize method
c) static method
d) private method

4. Which of this statement is incorrect?


a) All object of a class are allotted memory for the all the variables defined in the
class
b) If a function is defined public it can be accessed by object of other class by
inheritation
c) main() method must be made public
d) All object of a class are allotted memory for the methods defined in the class
5. What is the return type of a method that does not return any value?
a) int
b) float
c) void
d) double
Oral Assessment
1. What do you understand by java methods?
2. Which is the best way to call a java method in a java program?
3. What is method overloading?
4. What do you understand by the keyword void?
Practical Assessment
1. Create a java method ComputeInterest that calculate and returns the simple interest I
earned from a principal amount P at a rate R over a period of time N (years)
2. Write a program that calls the above method using user entered parameters for
principal, rate and time and displays the Interest earned.
5.3.6.4 Tools, Equipment, Supplies and Materials
• Computer
• JDK
• Stationery
• Instruction material
• Internet

1. Java – Methods. Retrieved from https://www.tutorialspoint.com/java


2. Methods in Java. Retrieved from https://www.javatpoint.com
What is Object Oriented Programming (OOP)?
• Object means a real-world entity such as a pen, chair, table, computer, watch,
etc. Object-Oriented Programming is a methodology or paradigm to design a
program using classes and objects.
• The popular object-oriented languages are Java, C#, PHP, Python, C++, etc.
• OOP simplifies software development and maintenance by providing some concepts:
o Object
o Class
o Inheritance
o Polymorphism
o Abstraction
o Encapsulation

Object oriented programming concepts


Class
Collection of objects is called class. It is a logical entity.
A class can also be defined as a blueprint from which you can create an individual object.
Class doesn't consume any space

Object
Any entity that has state and behavior is known as an object. For example, a chair, pen, table,
keyboard, bike, etc. It can be physical or logical.

An Object can be defined as an instance of a class. An object contains an address and takes
up some space in memory. Objects can communicate without knowing the details of each
other's data or code. The only necessary thing is the type of message accepted and the type of
response returned by the objects.

Example: A dog is an object because it has states like color, name, breed, etc. as well as
behaviors like wagging the tail, barking, eating, etc.

Inheritance
When one object acquires all the properties and behaviors of a parent object, it is known as
inheritance. It provides code reusability.

Polymorphism
If one task is performed in different ways, it is known as polymorphism. For example: to
draw something, for example, shape, triangle, rectangle, etc.

Another example can be to speak something; for example, a cat speaks meow, dog barks
woof, etc.
Abstraction
Hiding internal details and showing functionality is known as abstraction. For example phone
call, we don't know the internal processing.
In Java, we use abstract class and interface to achieve abstraction.

Encapsulation
Binding (or wrapping) code and data together into a single unit are known as encapsulation.
For example, a capsule, it is wrapped with different medicines.
A java class is the example of encapsulation. Java bean is the fully encapsulated class
because all the data members are private here.

Creating Classes
A class consists of attributes and methods

Declaring attributes
Attribute An attribute is another term for a field. It’s typically a public field that can be accessed
directly.

Class attributes are variables within a class.

Example:
Class called “MyClass” with two attributes: x and y:

public class MyClass {


int x = 5;
int y = 3;
}

Creating Methods
As explained earlier, A Java method is a collection of statements that are grouped together to
perform an operation. Methods in a class are usually declared as public in order for them to be
accessed by objects from outside the class (within the main function).

Example: The following class defines three variables and one method called Findvolume:

class Box{
double width;
double height;
double depth;

//Findvolume method
public void Findvolume(){
System.out.println("Volume is " + width*height*depth);
}
}

Creating objects
A class provides the blueprints for objects. So basically, an object is created from a class. In
Java, the new keyword is used to create new objects.

There are three steps when creating an object from a class −


• Declaration − A variable declaration with a variable name with an object type.
• Instantiation − The 'new' keyword is used to create the object.
• Initialization − The 'new' keyword is followed by a call to a constructor. This call
initializes the new object.

Example:
To use the above class, we must create an object of its type. The following program does that
and then uses the class variables and the method defined in the class.

//First define the class


class Box{
double width;
double height;
double depth;

public void Findvolume(){


System.out.println("Volume is " + width*height*depth);
}
}

class BoxDemo{
public static void main(String[] args){
Box myBox=new Box();
//assign values
myBox.width=10; //call the variables
myBox.height=20;
myBox.depth=15;
//display volume
myBox.Findvolume(); //call the method
}
}

Inheritance
Inheritance can be defined as the process where one class acquires the properties (methods and
fields) of another. With the use of inheritance the information is made manageable in a
hierarchical order.

The class which inherits the properties of other is known as subclass (derived class, child class)
and the class whose properties are inherited is known as superclass (base class, parent class).
extends Keyword
extends is the keyword used to inherit the properties of a class.
Syntax
class Super {
.....
.....
}
class Sub extends Super {
.....
.....
}

Example 1: My_Calculation.java
Following is an example demonstrating Java inheritance. In this example, you can observe two
classes namely Calculation and My_Calculation.

Using extends keyword, the My_Calculation inherits the methods addition() and Subtraction()
of Calculation class.

class Calculation {
int z;
public void addition(int x, int y) {
z = x + y;
System.out.println("The sum of the given numbers:"+z);
}

public void Subtraction(int x, int y) {


z = x - y;
System.out.println("The difference between the given numbers:"+z);
}
}

public class My_Calculation extends Calculation {


public void multiplication(int x, int y) {
z = x * y;
System.out.println("The product of the given numbers:"+z);
}

public static void main(String args[]) {


int a = 20, b = 10;
My_Calculation demo = new My_Calculation();
demo.addition(a, b);
demo.Subtraction(a, b);
demo.multiplication(a, b);
}
}
Compile and execute the above code as shown below.
javac My_Calculation.java
java My_Calculation

Output:
The sum of the given numbers:30
The difference between the given numbers:10
The product of the given numbers:200

In the given program, when an object to My_Calculation class is created, a copy of the
contents of the superclass is made within it. That is why, using the object of the subclass you
can access the members of a superclass.

The Superclass reference variable can hold the subclass object, but using that variable you
can access only the members of the superclass, so to access the members of both classes it is
recommended to always create reference variable to the subclass.
If you consider the above program, you can instantiate the class as given below. But using
the superclass reference variable ( cal in this case) you cannot call the method
multiplication(), which belongs to the subclass My_Calculation.
Calculation demo = new My_Calculation();
demo.addition(a, b);
demo.Subtraction(a, b);
Note − A subclass inherits all the members (fields, methods, and nested
classes) from its superclass. Constructors are not members, so they are
not inherited by subclasses, but the constructor of the superclass can be
invoked from the subclass.

Example 2: Car.java
class Vehicle {
protected String brand = "Ford"; // Vehicle attribute
public void honk() { // Vehicle method
System.out.println("Tuut, tuut!");
}
}

class Car extends Vehicle {


private String modelName = "Mustang"; // Car attribute
public static void main(String[] args) {
// Create a myCar object
Car myCar = new Car();
// Call the honk() method (from the Vehicle class) on the myCar object
myCar.honk();
// Display the value of the brand attribute (from the Vehicle class) and the value of the
modelName from the Car class
System.out.println(myCar.brand + " " + myCar.modelName);
}
}
Conclusion
At the end of this learning outcome, the trainee should be able to explain object oriented
programming, classes and objects, demonstrate classes, objects and inheritance and develop
inheritance programs.

You might also like