KEMBAR78
Java Interview Questions | PDF | Method (Computer Programming) | Class (Computer Programming)
0% found this document useful (0 votes)
72 views76 pages

Java Interview Questions

The document discusses the differences between abstract classes and interfaces in Java, highlighting their characteristics, use cases, and examples. It explains that abstract classes support single inheritance and can have both abstract and non-abstract methods, while interfaces allow multiple inheritance and primarily define contracts with abstract methods. Additionally, it covers static vs. instance methods, emphasizing the utility of static methods and the concept of method overriding versus method hiding.

Uploaded by

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

Java Interview Questions

The document discusses the differences between abstract classes and interfaces in Java, highlighting their characteristics, use cases, and examples. It explains that abstract classes support single inheritance and can have both abstract and non-abstract methods, while interfaces allow multiple inheritance and primarily define contracts with abstract methods. Additionally, it covers static vs. instance methods, emphasizing the utility of static methods and the concept of method overriding versus method hiding.

Uploaded by

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

JAVA INTERVIEW QUESTIONS & ANSWERS

1. Difference between Abstract class and Interface. Explain with example.


Abstract class and interface both are used to achieve abstraction where we can declare the
abstract methods. Abstract class and interface both can't be instantiated.
Simply, abstract class achieves partial abstraction (0 to 100%) whereas interface achieves fully
abstraction (100%).

Abstract class Interface


Interface can have only abstract methods.
1) Abstract class can have abstract and non-
Since Java 8, it can have default and static
abstract methods.
methods
2) Abstract class doesn't support multiple Interface supports multiple inheritance
inheritance.
3) Abstract class can have final, non-final,
Interface has only static and final variables.
static and non-static variables.
4) Abstract class can provide the Interface can't provide the implementation
implementation of interface. of abstract class.
5) The abstract keyword is used to declare The interface keyword is used to declare
abstract class. interface.
6) An abstract class can extend another Java An interface can extend another Java
class and implement multiple Java interfaces. interface only.
7) An abstract class can be extended using An interface can be implemented using
keyword "extends". keyword "implements".
8) A Java abstract class can have class Members of a Java interface are public by
members like private, protected, etc. default.
9)Example: Example:
public abstract class Shape{ public interface Drawable{
public abstract void draw(); void draw();
} }
10) abstract class can have a constructor Cannot have constructors.
(used for initialization of fields or setup).
11)Abstract class can have instance variables Interfaces don’t hold instance variables
(final, non-final, static and non-static (only static and final variables are allowed),
variables) and their methods are typically abstract (or
default).

Notes:
abstract methods (methods without a body that must be implemented by subclasses) and
non-abstract methods (methods with a body that can provide default behavior).

EXAMPLE:
// Abstract Class Definition
abstract class Shape {
String color; // Instance variable

// Constructor to initialize color


public Shape(String color) {
this.color = color;
}

// Abstract method (must be implemented by subclasses)


abstract double calculateArea();

// Non-abstract method (has a body and can be used directly)


public void displayColor() {
System.out.println("The color of the shape is: " + color);
}
}

// Subclass 1: Circle
class Circle extends Shape {
double radius;

public Circle(String color, double radius) {


super(color); // Call the constructor of the abstract class
this.radius = radius;
}

@Override
double calculateArea() {
return Math.PI * radius * radius;
}
}

// Subclass 2: Rectangle
class Rectangle extends Shape {
double length, width;

public Rectangle(String color, double length, double width) {


super(color); // Call the constructor of the abstract class
this.length = length;
this.width = width;
}

@Override
double calculateArea() {
return length * width;
}
}

// Main Class
public class Main {
public static void main(String[] args) {
// Create a Circle object
Shape circle = new Circle("Red", 5.0);
circle.displayColor(); // Call non-abstract method
System.out.println("Area of the circle: " + circle.calculateArea());

// Create a Rectangle object


Shape rectangle = new Rectangle("Blue", 4.0, 6.0);
rectangle.displayColor(); // Call non-abstract method
System.out.println("Area of the rectangle: " + rectangle.calculateArea());
}
}

OUTPUT:
The color of the shape is: Red
Area of the circle: 78.53981633974483
The color of the shape is: Blue
Area of the rectangle: 24.0

Observations
Abstract Method:
 calculateArea() is declared as abstract in the Shape class.
 It is overridden and implemented in the Circle and Rectangle subclasses.
 This forces all subclasses of Shape to provide their own implementation for
calculateArea().
Non-Abstract Method:
 displayColor() is a non-abstract method in the Shape class.
 It provides a default implementation that can be used directly by all subclasses without
overriding.
Use Case:
 Abstract classes are useful when some methods should have default implementations
(non-abstract methods), while others must be defined by subclasses (abstract
methods).

CONSTRUCTOR EXAMPLE:

package com.example.springboot.demo;
//Abstract Class Example
abstract class AbstractExample {
String message;
// Constructor in abstract class
public AbstractExample(String message) {
this.message = message;
System.out.println("AbstractExample constructor called: " + message);
}
// Abstract method (must be implemented by subclasses)
abstract void display();
// Final method (cannot be overridden by subclasses)
final void finalMethod() {
System.out.println("This is a final method.");
}
// Static method (can be called without an instance)
static void staticMethod() {
System.out.println("This is a static method in abstract class.");
}
}
class SubClass extends AbstractExample {
public SubClass(String message) {
super(message); // Call the constructor of the abstract class
}
@Override
void display() {
System.out.println("Display method implemented in SubClass.");
}
}
//Interface Example
interface InterfaceExample {
// Static method (introduced in Java 8)
static void staticMethod() {
System.out.println("This is a static method in an interface.");
}
// Default method (introduced in Java 8)
default void defaultMethod() {
System.out.println("This is a default method in an interface.");
}
// Abstract method (must be implemented by implementing classes)
void display();
}
class ImplementingClass implements InterfaceExample {
@Override
public void display() {
System.out.println("Display method implemented in ImplementingClass.");
}
}
public class Main {
public static void main(String[] args) {
// Abstract class demonstration
SubClass subClass = new SubClass("Hello from Abstract Class!");
subClass.display();
subClass.finalMethod();
AbstractExample.staticMethod();
// Interface demonstration
ImplementingClass implClass = new ImplementingClass();
implClass.display();
implClass.defaultMethod();
InterfaceExample.staticMethod(); // Call static method from interface
}
}

OUTPUT:
AbstractExample constructor called: Hello from Abstract Class!
Display method implemented in SubClass.
This is a final method.
This is a static method in abstract class.
Display method implemented in ImplementingClass.
This is a default method in an interface.
This is a static method in an interface.
Why Abstract Class Doesn't Support Multiple Inheritance:

1. Ambiguity in Diamond Problem:


o Multiple inheritance using abstract classes can lead to ambiguity when two
parent classes define methods with the same name.
o The compiler can't determine which parent's method to use, creating the
diamond problem.
Example (if Java supported multiple inheritance with classes):
abstract class Parent1 {
abstract void show();
}

abstract class Parent2 {


abstract void show();
}

class Child extends Parent1, Parent2 { // Hypothetical


// Which "show()" should the compiler inherit? Ambiguity arises.
}
2. Java's Design Philosophy:
o Java avoids this complexity by allowing a class to inherit from only one abstract
class, ensuring clarity and simplicity in method resolution.

How Interface Supports Multiple Inheritance:

1. No Ambiguity with Default Methods:


o Interfaces were initially designed with only abstract methods, which means no
implementation was inherited, so there was no conflict.
o From Java 8 onwards, interfaces can also have default methods (methods with
implementation). Even in this case, Java provides a clear way to resolve conflicts.
Conflict Resolution:
o A class implementing multiple interfaces with conflicting default methods must
explicitly override the conflicting method to resolve ambiguity.
Example:
interface Interface1 {
default void display() {
System.out.println("Interface1 display");
}
}
interface Interface2 {
default void display() {
System.out.println("Interface2 display");
}
}

class Child implements Interface1, Interface2 {


@Override
public void display() {
// Resolve the conflict explicitly
Interface1.super.display(); // Call Interface1's display method
Interface2.super.display(); // Call Interface2's display method
}
}

public class Main {


public static void main(String[] args) {
Child obj = new Child();
obj.display();
}
}
Output:
Interface1 display
Interface2 display

2. Interfaces Are Not Classes:


o Interfaces don’t hold instance variables (only static and final variables are
allowed), and their methods are typically abstract (or default).

Key Takeaways:

 Abstract Class:
o Supports single inheritance to avoid ambiguity.
o Designed for cases where a base class should provide a mix of implemented and
unimplemented methods.
 Interface:
o Supports multiple inheritance because:
1. It primarily focuses on defining contracts, not maintaining state.
2. Clear conflict resolution mechanisms exist for default methods.
o Useful for scenarios where a class needs to adhere to multiple contracts (e.g.,
Runnable and Comparable).
Class can implement multiple interfaces
Example:
// Define multiple interfaces
interface Interface1 {
void method1();
}

interface Interface2 {
void method2();
}

// A class implementing multiple interfaces


class MyClass implements Interface1, Interface2 {
@Override
public void method1() {
System.out.println("Method1 from Interface1 implemented.");
}

@Override
public void method2() {
System.out.println("Method2 from Interface2 implemented.");
}
}

public class Main {


public static void main(String[] args) {
MyClass obj = new MyClass();
obj.method1(); // Output: Method1 from Interface1 implemented.
obj.method2(); // Output: Method2 from Interface2 implemented.
}
}
Notes:
 Interfaces are purely abstract contracts (or have default/static methods) and don't
maintain state, which avoids the ambiguity common in multiple inheritance with classes.
 This feature is widely used to allow a class to adhere to multiple behaviors or contracts,
such as a class implementing Runnable and Comparable.

An abstract class in Java cannot be instantiated directly, regardless of whether it has:


 A constructor.
 No abstract methods.
Why?
 Abstract classes are meant to be incomplete by design. They are intended to provide a
base class for other classes to extend and implement the abstract methods.
 Since an abstract class may contain abstract methods (which do not have
implementations), creating an instance of such a class would result in incomplete
functionality.

Example:
abstract class AbstractClass {
// Abstract method (no implementation)
abstract void display();

// Non-abstract method
void greet() {
System.out.println("Hello from AbstractClass!");
}
}
class SubClass extends AbstractClass {
@Override
void display() {
System.out.println("Display method implemented in SubClass.");
}
}

public class Main {


public static void main(String[] args) {
// AbstractClass obj = new AbstractClass(); // Error: Cannot instantiate the abstract class
SubClass obj = new SubClass(); // Instantiate a concrete subclass
obj.greet();
obj.display();
}
}
Output:
Hello from AbstractClass!
Display method implemented in SubClass.

Key Points:
1. Abstract Classes and Constructors:
o Abstract classes can have constructors, but they are only used when a subclass is
instantiated.
o The constructor of the abstract class is called as part of the subclass’s
constructor.
2. Abstract Classes with No Abstract Methods:
o Even if an abstract class does not have any abstract methods, it still cannot be
instantiated directly.
o Example:
o abstract class Example {
o void show() {
o System.out.println("Abstract class with no abstract methods.");
o }
o }
In summary, an abstract class cannot be instantiated directly under any circumstances. It must
be extended by a concrete class, and the concrete class must provide implementations for all
abstract methods.

2. What is the difference between static (class) method and instance method?

Static (Class) method Instance method


Static method is associated with a The instance method is associated
class rather than an object. with an object rather than a class.

The instance methods can be called


Static methods can be called using
on a specific instance of a class
the class name only without
using the object reference.
creating an instance of a class.
MyClass obj = new MyClass();
MyClass.myStaticMethod();
obj.myInstanceMethod();
Static methods do not have access Instance methods have access
to this & super keyword. to this keyword.
Defined using the static keyword.
Does not use the static keyword.
public static void myStaticMethod()
public void myInstanceMethod() {
{
// code
// code
}
}
Used for utility or helper methods
Used when the behavior of the
that do not depend on the instance
method depends on the state
state.
(variables) of a particular object.
Example: Math.max(a, b) in Java,
obj.getDetails();
Math.sqrt(), string formatting etc
Instance methods can access both
Static methods can access only
static and non-static methods of the
static members of the class.
class.
Static methods cannot be Instance methods can be overridden
overridden because they are because they are resolved at run
resolved at compile time, not at run time, not at compile time. This
time. This means that the compiler means that the compiler decides
decides which method to call which method to call based on the
based on the reference type, not object type, not on the reference
on the object type. type.

class MyClass {

// Static variable (shared by all instances)


static int staticCount = 0;

// Instance variable (unique to each instance)


int instanceCount = 0;

// Static method
public static void staticMethod() {
staticCount++; // Can access static variables
System.out.println("Static method called. staticCount = " + staticCount);

// Cannot access instance variables or methods directly


// System.out.println("Instance count: " + instanceCount); // ERROR
}

// Instance method
public void instanceMethod() {
instanceCount++; // Can access instance variables
staticCount++; // Can also access static variables
System.out.println("Instance method called. instanceCount = " + instanceCount);
System.out.println("Static count = " + staticCount);
}
}

public class Main {


public static void main(String[] args) {
// Calling the static method using the class name
MyClass.staticMethod(); // Output: Static method called. staticCount = 1

// Creating objects
MyClass obj1 = new MyClass();
MyClass obj2 = new MyClass();

// Calling instance methods


obj1.instanceMethod();
// Output:
// Instance method called. instanceCount = 1
// Static count = 2

obj2.instanceMethod();
// Output:
// Instance method called. instanceCount = 1
// Static count = 3
// Calling static method again
MyClass.staticMethod(); // Output: Static method called. staticCount = 4
}
}

EXAMPLE:

class Calculator {
// Static method for addition
public static int add(int a, int b) {
return a + b;
}
}

public class Main {


public static void main(String[] args) {
// Call the static method using the class name
int sum = Calculator.add(10, 20);
System.out.println("Sum: " + sum); // Output: Sum: 30
}
}

1. Why do we need static methods?


"Static methods are useful for shared functionality that doesn’t depend on instance variables.
For example, utility methods like calculating mathematical operations (e.g., Math.sqrt()), or
formatting strings, are better suited as static methods because they don’t need an object’s state
to operate."
2. Can you override a static method in Java?
"No, static methods cannot be overridden in Java. Static methods belong to the class itself, not
to instances of the class. Therefore, static methods are not subject to polymorphism, which is
the core principle behind method overriding. If a static method is redefined in a subclass with
the same signature, it is known as method hiding, not overriding."

1. Method Overriding vs. Method Hiding:


o Overriding occurs when a subclass provides a specific implementation of a
method that is already defined in the superclass, and it works with instance
methods (non-static).
o Method Hiding happens when a static method in a subclass has the same
signature as a static method in the superclass. This hides the parent class’s static
method. However, this is different from overriding because the decision of which
method to call is made at compile-time based on the reference type, not at
runtime based on the object type.
2. Static Methods and Polymorphism:
o Static methods are associated with the class itself and can be called using the
class name without creating an object.
o Since static methods do not rely on an instance, they do not participate in
runtime polymorphism, which is essential for method overriding.
o Therefore, if a static method in the parent class is called using a reference of the
parent type, it will always call the static method from the parent class, regardless
of the subclass.

Example of Method Hiding:


class Parent {
// Static method in Parent class
public static void show() {
System.out.println("Parent class static method");
}
}
class Child extends Parent {
// Static method in Child class with the same signature (method hiding)
public static void show() {
System.out.println("Child class static method");
}
}

public class Main {


public static void main(String[] args) {
// Calling static methods using class names
Parent.show(); // Output: Parent class static method
Child.show(); // Output: Child class static method

// Calling static methods using object references


Parent p = new Parent();
Parent c = new Child();
p.show(); // Output: Parent class static method
c.show(); // Output: Parent class static method (method hiding)
}
}
Explanation:
 Even though c is a reference to a Child object, it calls the show() method from the Parent
class. This is because static methods are determined at compile-time based on the
reference type (Parent), not the object type.
 This behavior is an example of method hiding, not overriding

1. Why can't we override static methods?


"Static methods are bound to the class at compile-time, and they do not depend on instances of
the class. Since overriding requires runtime polymorphism (which depends on the object type),
static methods do not participate in it. Therefore, a subclass cannot override a static method."

2. What happens if you declare a static method with the same name in a subclass?
"If a static method with the same name is declared in a subclass, it hides the method in the
parent class. This is called method hiding. The method that gets called depends on the
reference type, not the object type."

3. Can static methods be overloaded?


"Yes, static methods can be overloaded. Static methods can have the same name but different
parameter lists in the same class. Overloading is based on the method signature, not the
method type (static or instance), and is resolved at compile-time."

4. Can we access non-static members inside a static method? Why or why not?
"No, static methods cannot directly access non-static members (variables or methods) because
non-static members are associated with a specific object instance, whereas static methods are
tied to the class. To access non-static members, you need to create an instance of the class."

5. Can a static method use the this or super keyword?


"No, static methods cannot use this or super because these keywords refer to the current object
or the parent class's object, respectively. Since static methods are not tied to any object, these
keywords are not applicable."

5. What happens if we declare a method as both static and final?


"If we declare a method as both static and final, the method becomes a class-level method
(due to the static modifier) that cannot be overridden by subclasses (due to the final
modifier). The static modifier means the method belongs to the class, not an instance, and it
can be called without creating an object. The final modifier means that the method cannot be
changed or overridden by any subclass, providing a guarantee that its implementation remains
fixed."

1. Static Modifier:
o The static keyword means the method is associated with the class rather than
any specific instance.
o It can be called using the class name directly, without needing to create an object
of the class.
2. Final Modifier:
o The final keyword ensures that the method cannot be overridden in any subclass.
o If a subclass tries to provide a different implementation of a final static method,
the compiler will produce an error.
3. Combining static and final:
o When both keywords are used together:
 The method can be called without creating an object of the class
(because it is static).
 The method's behavior is fixed and cannot be modified by any subclass
(because it is final).

Example:
class Calculator {
// Static and final method
public static final int add(int a, int b) {
return a + b;
}
}

class AdvancedCalculator extends Calculator {


// Uncommenting the following line will cause a compile-time error
// public static final int add(int a, int b) { return a + b + 1; }
}

public class Main {


public static void main(String[] args) {
// Calling the static final method using the class name
int sum = Calculator.add(10, 20);
System.out.println("Sum: " + sum); // Output: Sum: 30
}
}
Explanation:
 The add() method in the Calculator class is both static and final.
 It is associated with the class (due to static) and cannot be overridden in
AdvancedCalculator (due to final).
 If you try to override the add() method in the AdvancedCalculator class, the compiler
will give an error because final prevents overriding.

5. Can static final method can be inherited by subclasses in Java?


Yes, a static final method can be inherited by subclasses in Java, but it cannot be overridden.
1. Inheritance of Static Methods:
o Static methods are associated with the class itself, not with any particular
instance of the class.
o When a static method is declared in a parent class, it can be inherited by
subclasses, meaning the subclass can call the method, but it cannot be
overridden.
2. Effect of the final Modifier:
o The final keyword prevents the method from being overridden in any subclass.
o However, the method can still be inherited, meaning the subclass can use the
static method, but it cannot change its implementation.
3. Overriding and Static Methods:
o While instance methods can be overridden, static methods cannot be
overridden, only hidden (if a static method in a subclass has the same signature).
o The final modifier ensures that the method cannot be overridden or hidden in
any subclass.
Example:
class Parent {
// Static final method in Parent class
public static final void display() {
System.out.println("Parent class static final method");
}
}

class Child extends Parent {


// The following line will result in a compile-time error because static final methods cannot be
overridden.
// public static final void display() {
// System.out.println("Child class static final method");
// }
}

public class Main {


public static void main(String[] args) {
// Calling the static final method
Parent.display(); // Output: Parent class static final method
Child.display(); // Output: Parent class static final method (inherited from Parent)
}
}
Explanation:
 The display() method in the Parent class is both static and final. It is inherited by the
Child class.
 The Child class cannot override the display() method because it's final.
 Both the Parent and Child classes can call the display() method, but the method’s
implementation remains fixed, and the output is always the one defined in the Parent
class.

6. How is a static method different from an instance method?


"The key differences are:
1. Static methods belong to the class, while instance methods belong to objects of the
class.
2. Static methods can be called without creating an object, but instance methods require
an object.
3. Static methods cannot access non-static members directly, while instance methods can.
4. Static methods cannot use this or super, but instance methods can."

7. Can we overload static methods?


"Yes, static methods can be overloaded. You can have multiple static methods in the same class
with the same name but different parameter lists."

8. What happens if we call a static method using an object reference?


"It is allowed to call a static method using an object reference, but it is not recommended. The
static method will still be executed as if it were called using the class name. This can confuse
other developers, so it’s better to call it directly using the class name."

9. What is method hiding in static methods?


"If a subclass defines a static method with the same name and parameters as a static method in
the parent class, the method in the subclass hides the method in the parent class. This is called
method hiding. Unlike overriding, the decision of which method to call is made at compile-time
based on the reference type."
Example:
class Parent {
static void display() {
System.out.println("Static method in Parent class");
}
}

class Child extends Parent {


static void display() {
System.out.println("Static method in Child class");
}
}

public class Main {


public static void main(String[] args) {
Parent obj = new Child();
obj.display(); // Outputs: Static method in Parent class
}
}

10. Can a static method be synchronized?


"Yes, a static method can be synchronized, as it locks the class's Class object instead of an
instance. This ensures that only one thread can execute the static method at a time across all
instances of the class."

1. Synchronization of Methods:
o Synchronization is used to ensure that only one thread at a time can execute a
method, providing thread safety in multi-threaded environments.
o For instance methods, synchronization happens on the instance of the object
(this), meaning the lock is tied to the specific object.
2. Synchronization of Static Methods:
o In the case of static methods, since static methods are associated with the class
itself (not an instance), synchronization happens on the Class object.
o This ensures that no more than one thread can execute the static method at the
same time, regardless of how many instances of the class exist.

Example:
class Counter {
private static int count = 0;

// Static synchronized method


public static synchronized void increment() {
count++;
System.out.println("Count: " + count);
}
}

public class Main {


public static void main(String[] args) {
// Simulating multiple threads calling the static synchronized method
Thread t1 = new Thread(() -> Counter.increment());
Thread t2 = new Thread(() -> Counter.increment());

t1.start();
t2.start();
}
}
Explanation:
 The method increment() is synchronized, meaning that even if multiple threads (e.g., t1
and t2) attempt to call it simultaneously, they will be executed one by one because the
Class object of Counter is locked for the duration of each method call.
 This avoids concurrent access to the count variable and ensures thread safety.

1. Why do we need to synchronize static methods?


"We synchronize static methods when we need to ensure thread safety across multiple threads
accessing the same class-level data or functionality. For example, if multiple threads are
accessing a shared resource like a counter or log, synchronizing the method ensures that only
one thread can modify the data at a time."

2. Can we synchronize both static and instance methods in the same class?
"Yes, it’s possible to synchronize both static and instance methods in the same class. The key
difference is that a synchronized instance method locks the instance of the class (this), while a
synchronized static method locks the Class object. This allows synchronization at different levels,
depending on whether the method is instance-specific or class-wide."

3. What happens if we try to synchronize a static method and an instance method?


"If both a static synchronized method and an instance synchronized method are called
simultaneously by different threads, they will operate independently because the static
synchronized method locks the Class object, while the instance synchronized method locks the
specific object (this). So, if two threads are calling the static and instance methods on different
objects, they won’t block each other."

Difference between .equals() and ==?


In Java, .equals() and == are used for comparisons.

1. == Operator
 Purpose: Compares object references or primitive values.
 Use Case:
o For primitives (e.g., int, double): Compares the actual values.
o For objects: Compares memory locations (references) to check if two objects
point to the same memory.
Example with Primitives:
int a = 5;
int b = 5;
System.out.println(a == b); // Output: true (compares values)
Example with Objects:
String s1 = new String("Hello");
String s2 = new String("Hello");
System.out.println(s1 == s2); // Output: false (different memory locations)
Here, == checks if s1 and s2 reference the same object in memory, not the content.

2. .equals() Method
 Purpose: Compares the content of two objects.
 Use Case:
o Defined in the Object class and can be overridden by custom classes to compare
objects based on their properties.
o Commonly used to compare strings, collections, or custom objects.
Example with Strings:
String s1 = new String("Hello");
String s2 = new String("Hello");
System.out.println(s1.equals(s2)); // Output: true (compares content)
Example with Custom Objects:
class Person {
String name;

Person(String name) {
this.name = name;
}

@Override
public boolean equals(Object obj) {
if (this == obj) return true;
if (obj == null || getClass() != obj.getClass()) return false;
Person person = (Person) obj;
return name.equals(person.name);
}
}

Person p1 = new Person("Alice");


Person p2 = new Person("Alice");
System.out.println(p1.equals(p2)); // Output: true (compares content based on name)

Key Differences

Feature == Operator .equals() Method

Comparison Compares memory references (objects)


Compares the content of objects.
Type or values (primitives).

Overridable Cannot be overridden. Can be overridden in custom classes.

Scope Used for primitives and object references. Used for comparing object content.

Default For objects, checks if two references Checks equality based on the Object
Behavior point to the same memory location. class implementation.

Common Pitfalls
1. Using == instead of .equals():
o Problem: == will return false even if two objects have the same content but are
stored in different memory locations.
o Solution: Use .equals() for content comparison.
Example:
String s1 = "Hello";
String s2 = new String("Hello");
System.out.println(s1 == s2); // false
System.out.println(s1.equals(s2)); // true
2. Not Overriding .equals():
o Problem: If .equals() is not overridden in custom classes, it behaves like ==.
o Solution: Override .equals() to compare the actual content of custom objects.

Question: What is the difference between == and .equals() in Java?


Answer: "The == operator compares object references or primitive values. For objects, it checks
if two references point to the same memory location. On the other hand, .equals() is a method
used to compare the content of two objects. It is defined in the Object class and can be
overridden to provide custom comparison logic. For example, in the String class, .equals() checks
if the contents of two strings are the same, while == would check if they refer to the same
memory location."

Follow-Up Questions
1. Can .equals() be used to compare primitives?
o No, .equals() works only with objects. For primitives, use ==.
2. What happens if you use .equals() on objects without overriding it?
o The default implementation in the Object class will compare memory references,
behaving like ==.
3. Is it necessary to override hashCode() when overriding .equals()?
o Yes, when overriding .equals(), you should also override hashCode() to maintain
the general contract between these methods, especially when objects are used
in hash-based collections like HashMap or HashSet.
4. Difference between Primitive and Non-Primitive Data types?
1. Primitive Data Types
 Definition: Data types that directly store values in memory.(Predefined data types)
 Purpose: Represent simple, fixed-size data such as numbers, characters, and boolean
values.
 Examples: byte, short, int, long, float, double, char, boolean.

Data Type Size Default Value Example

byte 1 byte 0 byte b = 10;

short 2 bytes 0 short s = 100;

int 4 bytes 0 int i = 1000;

long 8 bytes 0L long l = 100000L;

float 4 bytes 0.0f float f = 10.5f;

double 8 bytes 0.0 double d = 20.5;

char 2 bytes \u0000 char c = 'A';

boolean 1 bit false boolean b = true;

Characteristics:
1. Stored in Stack Memory: Memory-efficient and directly accessible.
2. Fixed Size: Their size is predefined and platform-independent in Java.
3. Pass-by-Value: When passed to methods, a copy of the value is used.

2. Non-Primitive Data Types


 Definition: Reference types that store addresses of objects, not the actual data (User
defined types).
 Purpose: Represent complex objects like arrays, strings, and custom objects.
 Examples: String, Array, Class, Interface.

Data Type Size Default Value Example

String Varies null String str = "Java";

Array Varies null int[] arr = {1, 2};

Object Varies null Object obj = new Object();

Characteristics:
1. Stored in Heap Memory: Stores the object in heap, while the reference is in stack
memory.
2. Dynamic Size: Their size can grow or shrink based on the object.
3. Pass-by-Reference: Methods receive a reference to the memory location, not a copy of
the value.

Key Differences

Feature Primitive Data Types Non-Primitive Data Types

Basic, built-in types to hold simple Complex types that store references to
Definition
values. objects.

Examples int, float, char, boolean. String, Array, Class, Interface.

Storage Stored directly in stack memory. Reference stored in stack; object in heap.

Default Value Specific default values (e.g., 0, false). null by default.

Methods Cannot invoke methods directly. Can invoke methods as they are objects.

Size Fixed size, platform-independent. Dynamic, depending on the object.

Pass-by Passed by value. Passed by reference (reference copy).

Example Code
public class DataTypeExample {
public static void main(String[] args) {
// Primitive Data Type
int primitive = 10; // Directly stores value
System.out.println("Primitive: " + primitive);

// Non-Primitive Data Type


String nonPrimitive = "Hello, Java"; // Stores reference to the String object
System.out.println("Non-Primitive: " + nonPrimitive);
}
}
Follow-Up Questions
1. Why are primitive types faster than non-primitive types?
o Primitive types are faster because they are stored directly in stack memory,
which is quicker to access, whereas non-primitive types involve heap memory
and reference lookups.
2. Can primitive data types be null?
o No, primitive types cannot be null. However, their wrapper classes (e.g., Integer,
Double) can be null.
3. Why are non-primitive types stored in heap memory?
o Objects in heap memory allow dynamic allocation and deallocation, which is
essential for managing the lifecycle of objects in Java's object-oriented
programming model.
------------------------------------------------------------------------------------------------------------------------------
Synchronized ensures that only one thread can execute a synchronized block or method at a
time, which makes it thread-safe.

In a Single-Threaded Environment
 Synchronization Overhead:
o In a single-threaded environment, synchronization is not necessary because
there is only one thread of execution. Adding synchronized in such a case incurs
unnecessary performance overhead due to the lock management.
o For instance, acquiring and releasing locks, even if no other thread is competing,
is not efficient.
 Conclusion:
o In a single-threaded environment, avoid using synchronized unless it is required
for future-proofing or consistency with multi-threaded environments.

In a Multi-Threaded Environment
 Thread Safety:
o When multiple threads access a shared resource, synchronized ensures that only
one thread at a time can access the critical section (synchronized block or
method).
o This prevents issues like race conditions, data inconsistency, and unexpected
behaviors.
 Example of Synchronized Method:
public class Counter {
private int count = 0;

public synchronized void increment() {


count++;
}

public int getCount() {


return count;
}
}
In the above example, only one thread can execute the increment() method at a time, ensuring
that count is updated safely.

Static Methods and Synchronization


 A synchronized static method applies a class-level lock, ensuring that only one thread
can execute any synchronized static method of the class at a time, even if there are
multiple instances of the class.
 Example:
public class SharedResource {
public static synchronized void staticSyncMethod() {
System.out.println("Static synchronized method: " + Thread.currentThread().getName());
}
}
Here, if one thread is executing the staticSyncMethod, no other thread can execute any
synchronized static method of the same class.

Key Points
1. Synchronized is thread-safe:
o Ensures that only one thread can access a shared resource at a time.
o Prevents race conditions and ensures data consistency in multi-threaded
environments.
2. Not Needed for Single-Threaded Environment:
o Synchronization is redundant if only one thread exists because there's no
competition for shared resources.
3. Static and Non-Static Synchronized:
o Static Synchronized: Locks the class object (class-level lock).
o Non-Static Synchronized: Locks the instance (object-level lock).

Interview Perspective
Question: Is synchronized suitable for a single-threaded environment?
Answer:
"In a single-threaded environment, synchronized is not required because there is no competition
for resources. Synchronization is designed for multi-threaded environments to ensure thread
safety by allowing only one thread to execute a critical section at a time. In a single-threaded
setup, using synchronized would introduce unnecessary overhead."

Follow-Up Questions
1. Why is synchronization slower?
o Synchronization involves acquiring and releasing locks, which adds overhead,
especially in a multi-threaded environment with frequent contention.
2. What are the alternatives to synchronization?
o Use thread-safe classes like ConcurrentHashMap, AtomicInteger, or Lock
interface from java.util.concurrent.
3. Does synchronization guarantee performance improvement?
o No, synchronization ensures thread safety but can lead to performance
bottlenecks if multiple threads are competing for the lock.

Difference between String, String Builder and String Buffer?


Java provides three classes to represent a sequence of characters: String, StringBuffer, and
StringBuilder. The String class is an immutable class whereas StringBuffer and StringBuilder
classes are mutable.
 String: Immutable, meaning its value cannot be changed once created. It is thread-safe
but less memory-efficient.
 StringBuilder: Mutable, not thread-safe, non-synchronized, and more memory-efficient
compared to String. Best used for single-threaded operations.
 StringBuffer: Mutable and thread-safe due to synchronization, but less efficient than
StringBuilder in terms of performance.

trinr StringBuilder

StringBuffer is synchronized i.e. thread safe. It StringBuilder is non-synchronized i.e. not thread
means two threads can't call the methods of safe. It means two threads can call the methods of
StringBuffer simultaneously. StringBuilder simultaneously.
StringBuffer is less efficient than StringBuilder. StringBuilder is more efficient than StringBuffer.
StringBuffer was introduced in Java 1.0 StringBuilder was introduced in Java 1.5

1. //Java Program to demonstrate the use of StringBuffer class.


2. public class BufferTest{
3. public static void main(String[] args){
4. StringBuffer buffer=new StringBuffer("hello");
5. buffer.append("java");
6. System.out.println(buffer);
7. }
8. }
Output:
hellojava

StringBuilder Example
BuilderTest.java
1. //Java Program to demonstrate the use of StringBuilder class.
2. public class BuilderTest{
3. public static void main(String[] args){
4. StringBuilder builder=new StringBuilder("hello");
5. builder.append("java");
6. System.out.println(builder);
7. }
8. }
Output:
hellojava
Performance Test of StringBuffer and StringBuilder
Let's see the code to check the performance of StringBuffer and StringBuilder classes.
ConcatTest.java
1. //Java Program to demonstrate the performance of StringBuffer and StringBuilder classe
s.
2. public class ConcatTest{
3. public static void main(String[] args){
4. long startTime = System.currentTimeMillis();
5. StringBuffer sb = new StringBuffer("Java");
6. for (int i=0; i<10000; i++){
7. sb.append("Tpoint");
8. }
9. System.out.println("Time taken by StringBuffer: " + (System.currentTimeMillis() - sta
rtTime) + "ms");
10. startTime = System.currentTimeMillis();
11. StringBuilder sb2 = new StringBuilder("Java");
12. for (int i=0; i<10000; i++){
13. sb2.append("Tpoint");
14. }
15. System.out.println("Time taken by StringBuilder: " + (System.currentTimeMillis() - st
artTime) + "ms");
16. }
17. }
Output:
Time taken by StringBuffer: 16ms
Time taken by StringBuilder: 0ms
Notes:
 StringBuffer is synchronized, making it thread-safe, while StringBuilder is not
synchronized and thus not thread-safe.
 StringBuilder is not synchronized, making it faster than StringBuffer and suitable for
single-threaded applications.
 The ensureCapacity() method ensures that the StringBuffer's capacity is at least equal to
the specified minimum. If the current capacity is less than the minimum, a new array
with greater capacity is allocated.
 The trimToSize() method is used to reduce the storage used for the StringBuffer object
to the current size, which can improve memory efficiency.
 StringBuilder was introduced in JDK 1.5 to provide a faster alternative to StringBuffer
when thread safety is not a concern.

Collections in Java
The Collection in Java is a framework that provides an architecture to store and manipulate the group of
objects. Java Collections can achieve all the operations that you perform on a data such as searching,
sorting, insertion, manipulation, and deletion.

Java Collection means a single unit of objects. Java Collection framework provides many interfaces (Set,
List, Queue, Deque) and classes (ArrayList, Vector, LinkedList, PriorityQueue, HashSet, LinkedHashSet,
TreeSet).
Filename: CollectionsFrameworkDemo.java

1. import java.util.*;
2. // Define a class to demonstrate the usage of collections.
3. public class CollectionsFrameworkDemo {
4. // Define a static method to showcase various collection usages.
5. static void showcaseCollectionsUsage() {
6. // Initialize an array of integers.
7. int[] numbersArray = new int[]{1, 2, 3, 4};
8. // Create an ArrayList to hold Integer objects.
9. List<Integer> numbersList = new ArrayList<>();
10. // Create a HashMap to map Integer keys to String values.
11. Map<Integer, String> numbersMap = new HashMap<>();
12. // Add elements to the ArrayList.
13. numbersList.add(1);
14. numbersList.add(2);
15. // Put key-value pairs into the HashMap.
16. numbersMap.put(1, "alpha");
17. numbersMap.put(2, "beta");
18. // Print the first element of the array.
19. System.out.println("First element of numbersArray: " + numbersArray[0]);
20. // Print the first element of the ArrayList.
21. System.out.println("First element of numbersList: " + numbersList.get(0));
22. // Print the value associated with key 1 in the HashMap.
23. System.out.println("Value for key 1 in numbersMap: " + numbersMap.get(1));
24. // Header for iterating over the array.
25. System.out.println("\nIterating over numbersArray:");
26. // Iterate through the array and print each element.
27. for (int num : numbersArray) {
28. System.out.println("Element: " + num);
29. }
30. // Header for iterating over the ArrayList.
31. System.out.println("\nIterating over numbersList:");
32. // Iterate through the ArrayList and print each element.
33. for (Integer num : numbersList) {
34. System.out.println("Element: " + num);
35. }
36. // Header for iterating over the HashMap.
37. System.out.println("\nIterating over numbersMap:");
38. // Iterate through the HashMap and print each key-value pair.
39. for (Map.Entry<Integer, String> entry : numbersMap.entrySet()) {
40. System.out.println("Key: " + entry.getKey() + ", Value: " + entry.getValue());
41. }
42. }
43. // The main method to run the showcaseCollectionsUsage method.
44. public static void main(String[] args) {
45. // Call the showcase method to demonstrate collection usages.
46. showcaseCollectionsUsage();
47. }
48. }

The java.util package contains all the classes and interfaces for the Collection framework.

o Class: A class is a blueprint from which individual objects are created. It encapsulates data for
objects through fields (attributes) and defines behavior via methods. Classes support
inheritance, allowing one class to inherit the properties and methods of another, facilitating
code reuse and polymorphism.

o Interface: An interface is a reference type in Java that can contain constants and abstract
methods (methods without a body). Interfaces specify what a class must do but not how it does
it, enforcing a set of methods that the class must implement. Interfaces are used to achieve
abstraction and multiple inheritance in Java.

Methods of Collection interface


public boolean add(E e) It is used to insert an element in this
collection.
public boolean addAll(Collection<? extends It is used to insert the specified collection
E> c) elements in the invoking collection.
public boolean remove(Object element) It is used to delete an element from the
collection.
public boolean removeAll(Collection<?> c) It is used to delete all the elements of the
specified collection from the invoking
collection.
default boolean removeIf(Predicate<? super It is used to delete all the elements of the
E> filter) collection that satisfy the specified predicate.
public boolean retainAll(Collection<?> c) It is used to delete all the elements of
invoking collection except the specified
collection.
public int size() It returns the total number of elements in the
collection.
public void clear() It removes the total number of elements from
the collection.
public boolean contains(Object element) It is used to search an element.
public boolean containsAll(Collection<?> c) It is used to search the specified collection in
the collection.
public Iterator iterator() It returns an iterator.
public Object[] toArray() It converts collection into array.
public <T> T[] toArray(T[] a) It converts collection into array. Here, the
runtime type of the returned array is that of
the specified array.
public boolean isEmpty() It checks if collection is empty.
default Stream<E> parallelStream() It returns a possibly parallel Stream with the
collection as its source.
default Stream<E> stream() It returns a sequential Stream with the
collection as its source.
default Spliterator<E> spliterator() It generates a Spliterator over the specified
elements in the collection.
public boolean equals(Object element) It matches two collections.
public int hashCode() It returns the hash code number of the
collection.

JAVA8 Features

o Lambda expressions,

o Method references,

o Functional interfaces,

o Stream API,

o Default methods,

o Base64 Encode Decode,

o Static methods in interface,

o Optional class,

o Collectors class,
o ForEach() method,

o Nashorn JavaScript Engine,

o Parallel Array Sorting,

o Type and Repating Annotations,

o IO Enhancements,

o Concurrency Enhancements,

o JDBC Enhancements etc.

1. Lambda Expressions

Explanation:
Lambda expressions allow us to write concise code for functional interfaces (interfaces with a single
abstract method) by using an expression. They reduce boilerplate code. It is very useful in collection
library in which it helps to iterate, filter and extract data.

Functional Interface

Lambda expression provides implementation of functional interface. An interface which has only one
abstract method is called functional interface. Java provides an anotation @FunctionalInterface, which is
used to declare an interface as functional interface.

1. @FunctionalInterface
2. interface MyFunctionalInterface {
3. void myMethod(String s);
4. }

Why use Lambda Expression?

Lambda expressions in Java help to implement functional interfaces more concisely and expressively,
thereby eliminating lengthy boilerplate code and strengthening readability. Lambda expressions uniquely
allow to operate on stream collections in a functional style with a simplified syntax.

Lambda expressions help to provide a more compact alternative to anonymous classes and thus to
simplify the code and reduce verbosity.

Java Lambda Expression Syntax

1. (argument-list) -> {body}


Java lambda expression consists of the following three components:

1. Argument-list: It can be empty or non-empty as well.


2. Arrow-token: It is used to link the arguments list and body of expression.
3. Body: It contains expressions and statements for lambda expression.

No Parameter Syntax

1. () -> {
2. //Body of no parameter lambda
3. }

One Parameter Syntax

1. (p1) -> {
2. //Body of single parameter lambda
3. }

Two Parameter Syntax

1. (p1,p2) -> {
2. //Body of multiple parameter lambda
3. }

Let's see a scenario where we are not implementing Java lambda expression. Here, we are implementing
an interface without using lambda expression.

Interface Without Lambda Expression

LambdaExpressionExample.java

1. interface Drawable{
2. public void draw();
3. }
4. public class LambdaExpressionExample {
5. public static void main(String[] args) {
6. int width=10;
7.
8. //without lambda, Drawable implementation using anonymous class
9. Drawable d=new Drawable(){
10. public void draw(){System.out.println("Drawing "+width);}
11. };
12. d.draw();
13. }
14. }

Test it Now
Output:

Drawing 10

Java Lambda Expression Example

Now, we are going to implement the above example with the help of Java lambda expression.

LambdaExample.java

1. import java.util.Arrays;
2. import java.util.List;
3. public class LambdaExample {
4. public static void main(String[] args) {
5. // Create a list of integers
6. List<Integer> numbers = Arrays.asList(1, 2, 3, 4, 5, 6, 7, 8, 9, 10);
7. // Example 1: Using forEach with a lambda expression
8. System.out.println("Example 1: Using forEach");
9. numbers.forEach(number -> System.out.print(number + " "));
10. System.out.println(); // New line for better output formatting
11. // Example 2: Using map and reduce to calculate the sum of squares
12. System.out.println("Example 2: Using map and reduce");
13. int sumOfSquares = numbers.stream()
14. .map(x -> x * x)
15. .reduce(0, Integer::sum);
16. System.out.println("Sum of squares: " + sumOfSquares);
17. // Example 3: Using filter to get even numbers
18. System.out.println("Example 3: Using filter");
19. List<Integer> evenNumbers = numbers.stream()
20. .filter(x -> x % 2 == 0)
21. .toList(); // Convert stream to list (Java 16+)
22. System.out.println("Even numbers: " + evenNumbers);
23. }
24. }

Test it Now

Output:

Example 1: Using forEach

1 2 3 4 5 6 7 8 9 10

Example 2: Using map and reduce

Sum of squares: 385


Example 3: Using filter

Even numbers: [2, 4, 6, 8, 10]

A lambda expression can have zero or any number of arguments. Let's see the examples:

Java Lambda Expression Example: No Parameter

LambdaExpressionExample3.java

1. interface Sayable{
2. public String say();
3. }
4. public class LambdaExpressionExample3{
5. public static void main(String[] args) {
6. Sayable s=()->{
7. return "I have nothing to say.";
8. };
9. System.out.println(s.say());
10. }
11. }

Test it Now

Output:

I have nothing to say.

Java Lambda Expression Example: Single Parameter

LambdaExpressionExample4.java

1. interface Sayable{
2. public String say(String name);
3. }
4.
5. public class LambdaExpressionExample4{
6. public static void main(String[] args) {
7.
8. // Lambda expression with single parameter.
9. Sayable s1=(name)->{
10. return "Hello, "+name;
11. };
12. System.out.println(s1.say("Sonoo"));
13.
14. // You can omit function parentheses
15. Sayable s2= name ->{
16. return "Hello, "+name;
17. };
18. System.out.println(s2.say("Sonoo"));
19. }
20. }

Test it Now

Output:

Hello, Sonoo

Hello, Sonoo

Java Lambda Expression Example: Multiple Parameters

LambdaExample.java

1. @FunctionalInterface
2. interface ThreeParametersFunctionalInterface {
3. double calculateAverage(double a, double b, double c);
4. }
5. public class LambdaExample{
6. public static void main(String[] args) {
7. // Using lambda expression to implement the calculateAverage method
8. ThreeParametersFunctionalInterface myLambda = (a, b, c) -> {
9. // Code to be executed with the parameters
10. return (a + b + c) / 3.0;
11. };
12. // Invoking the method defined in the lambda expression
13. double average = myLambda.calculateAverage(10.0, 20.0, 30.0);
14. System.out.println("Average: " + average);
15. }
16. }

Output:

Average: 20.0

Java Lambda Expression Example: with return keyword

In Java lambda expression, if there is only one statement, you may or may not use return keyword. You
must use the return keyword when the lambda expression contains multiple statements.

LambdaExpressionExample6.java

1. interface Addable{
2. int add(int a,int b);
3. }
4.
5. public class LambdaExpressionExample6 {
6. public static void main(String[] args) {
7.
8. // Lambda expression without return keyword.
9. Addable ad1=(a,b)->(a+b);
10. System.out.println(ad1.add(10,20));
11.
12. // Lambda expression with return keyword.
13. Addable ad2=(int a,int b)->{
14. return (a+b);
15. };
16. System.out.println(ad2.add(100,200));
17. }
18. }

Test it Now

Output:

30

300

Java Lambda Expression Example: without return keyword

LambdaExample.java

1. // Functional interface with a single abstract method


2. interface MyFunctionalInterface {
3. int add(int a, int b);
4. }
5. public class LambdaExample {
6. public static void main(String[] args) {
7. // Lambda expression without using the return keyword
8. MyFunctionalInterface addition = (a, b) -> a + b;
9. // Using the lambda expression to perform addition
10. int result = addition.add(5, 7);
11. // Displaying the result
12. System.out.println("Result of addition: " + result);
13. }
14. }

Output:
Result of addition: 12

Java Lambda Expression Example: Foreach Loop

LambdaExpressionExample7.java

1. import java.util.*;
2. public class LambdaExpressionExample7{
3. public static void main(String[] args) {
4.
5. List<String> list=new ArrayList<String>();
6. list.add("ankit");
7. list.add("mayank");
8. list.add("irfan");
9. list.add("jai");
10.
11. list.forEach(
12. (n)->System.out.println(n)
13. );
14. }
15. }

Test it Now

Output:

ankit

mayank

irfan

jai

Java Lambda Expression Example: Multiple Statements

LambdaExpressionExample8.java

1. @FunctionalInterface
2. interface Sayable{
3. String say(String message);
4. }
5.
6. public class LambdaExpressionExample8{
7. public static void main(String[] args) {
8.
9. // You can pass multiple statements in lambda expression
10. Sayable person = (message)-> {
11. String str1 = "I would like to say, ";
12. String str2 = str1 + message;
13. return str2;
14. };
15. System.out.println(person.say("time is precious."));
16. }
17. }

Test it Now

Output:

I would like to say, time is precious.

Java Lambda Expression Example: Creating Thread

You can use lambda expression to run thread. In the following example, we are implementing run
method by using lambda expression.

LambdaExpressionExample9.java

1. public class LambdaExpressionExample9{


2. public static void main(String[] args) {
3.
4. //Thread Example without lambda
5. Runnable r1=new Runnable(){
6. public void run(){
7. System.out.println("Thread1 is running...");
8. }
9. };
10. Thread t1=new Thread(r1);
11. t1.start();
12. //Thread Example with lambda
13. Runnable r2=()->{
14. System.out.println("Thread2 is running...");
15. };
16. Thread t2=new Thread(r2);
17. t2.start();
18. }
19. }

Test it Now

Output:

Thread1 is running...
Thread2 is running...

Java lambda expression can be used in the collection framework. It provides efficient and concise way to
iterate, filter and fetch data. Following are some lambda and collection examples provided.

Java Lambda Expression Example: Comparator

LambdaExpressionExample10.java

1. import java.util.ArrayList;
2. import java.util.Collections;
3. import java.util.List;
4. class Product{
5. int id;
6. String name;
7. float price;
8. public Product(int id, String name, float price) {
9. super();
10. this.id = id;
11. this.name = name;
12. this.price = price;
13. }
14. }
15. public class LambdaExpressionExample10{
16. public static void main(String[] args) {
17. List<Product> list=new ArrayList<Product>();
18.
19. //Adding Products
20. list.add(new Product(1,"HP Laptop",25000f));
21. list.add(new Product(3,"Keyboard",300f));
22. list.add(new Product(2,"Dell Mouse",150f));
23.
24. System.out.println("Sorting on the basis of name...");
25.
26. // implementing lambda expression
27. Collections.sort(list,(p1,p2)->{
28. return p1.name.compareTo(p2.name);
29. });
30. for(Product p:list){
31. System.out.println(p.id+" "+p.name+" "+p.price);
32. }
33.
34. }
35. }

Test it Now
Output:

Sorting on the basis of name...

2 Dell Mouse 150.0

1 HP Laptop 25000.0

3 Keyboard 300.0

Java Lambda Expression Example: Filter Collection Data

LambdaExpressionExample11.java

1. import java.util.ArrayList;
2. import java.util.List;
3. import java.util.stream.Stream;
4. class Product{
5. int id;
6. String name;
7. float price;
8. public Product(int id, String name, float price) {
9. super();
10. this.id = id;
11. this.name = name;
12. this.price = price;
13. }
14. }
15. public class LambdaExpressionExample11{
16. public static void main(String[] args) {
17. List<Product> list=new ArrayList<Product>();
18. list.add(new Product(1,"Samsung A5",17000f));
19. list.add(new Product(3,"Iphone 6S",65000f));
20. list.add(new Product(2,"Sony Xperia",25000f));
21. list.add(new Product(4,"Nokia Lumia",15000f));
22. list.add(new Product(5,"Redmi4 ",26000f));
23. list.add(new Product(6,"Lenevo Vibe",19000f));
24.
25. // using lambda to filter data
26. Stream<Product> filtered_data = list.stream().filter(p -> p.price > 20000);
27.
28. // using lambda to iterate through collection
29. filtered_data.forEach(
30. product -> System.out.println(product.name+": "+product.price)
31. );
32. }
33. }
Test it Now

Output:

Iphone 6S: 65000.0

Sony Xperia: 25000.0

Redmi4 : 26000.0

Advantages of Lambda Expressions

1. Readability and Concision:

Writing anonymous functions is made easier by the more concise syntax that lambda expressions offer.
This produces code that is easier to read and maintain, particularly when working with functional
interfaces.

1. // Without Lambda Expression


2. Runnable runnable = new Runnable() {
3. @Override
4. public void run() {
5. System.out.println("Without Lambda Expression");
6. }
7. };
8.
9. // With Lambda Expression
10. Runnable lambdaRunnable = () -> System.out.println("With Lambda Expression");

2. Support for Functional Programming:

The adoption of functional programming paradigms in Java is facilitated by lambda expressions. They
make code more expressive and functional by enabling the usage of functional interfaces and the
integration of functional tools like reduce, filter, and map.

1. List<String> names = Arrays.asList("Alice", "Bob", "Charlie");


2. // Without Lambda Expression
3. names.forEach(new Consumer<String>() {
4. @Override
5. public void accept(String name) {
6. System.out.println(name);
7. }
8. });
9. // With Lambda Expression
10. names.forEach(name -> System.out.println(name));
3. Parallelism and Concurrency:

Lambda expressions are especially helpful when handling these two concepts. They make it simple to do
concurrent operations on collections using the Streams API.

1. List<Integer> numbers = Arrays.asList(1, 2, 3, 4, 5);


2. // Without Lambda Expression
3. int sumWithoutLambda = numbers.parallelStream().reduce(0, new BinaryOperator<Integer>() {
4. @Override
5. public Integer apply(Integer x, Integer y) {
6. return x + y;
7. }
8. });
9. // With Lambda Expression
10. int sumWithLambda = numbers.parallelStream().reduce(0, (x, y) -> x + y);

4. Behavior Encapsulation:

Lambda expressions provide a portable and concise way to represent behaviour. They increase the
modularity and flexibility of programming by enabling the sending of behaviour as an argument to
methods.

1. // Without Lambda Expression


2. List<String> namesUpperCase = transformList(names, new StringTransformer() {
3. @Override
4. public String transform(String input) {
5. return input.toUpperCase();
6. }
7. });
8. // With Lambda Expression
9. List<String> namesUpperCaseLambda = transformList(names, input -> input.toUpperCase());

5. Better Collection Iteration:

By removing boilerplate code and simplifying iteration across collections, lambda expressions improve
code expressiveness.

1. List<String> fruits = Arrays.asList("Apple", "Banana", "Orange");


2. // Without Lambda Expression
3. for (String fruit : fruits) {
4. System.out.println(fruit);
5. }
6. // With Lambda Expression
7. fruits.forEach(fruit -> System.out.println(fruit));

Disadvantages of lambda expressions


1. Restricted to Functional Interfaces:

Only functional interfaces, which contain a single abstract method, are compatible with lambda
expressions. This limitation makes them only applicable in specific situations, which might be
problematic if you have to interact with interfaces that include multiple abstract methods.

1. // Example of an interface with more than one abstract method


2. interface MultiAbstractMethodInterface {
3. void method1();
4. void method2();
5. }
6. // Lambda expression cannot be used with MultiAbstractMethodInterface
7. // as it violates the "Functional Interface" requirement

2. Readability Issues with Complex Reasoning:

Lambda expressions are useful for short and straightforward processes, but when applied to more
complicated reasoning, they may become less readable. In some situations, a different class or a more
conventional approach might make sense.

1. // Lambda expression with complex logic


2. Function<Integer, Integer> complexLambda = x -> {
3. // Complex logic here
4. return x * x + 2 * x + 1;
5. };

3. Debugging:

Lambda expressions can be difficult to debug, particularly if they are intricate or include several levels of
abstraction. Stack traces might not always be able to pinpoint the exact location of a problem in a
lambda expression.

1. // Debugging lambda expressions


2. List<String> names = Arrays.asList("Alice", "Bob", "Charlie");
3. names.forEach(name -> {
4. System.out.println(name);
5. int length = name.length(); // Debugging this line might not clearly indicate issues
6. });

Cross-Questions:

1. What is the target type for a lambda expression?


Answer: The functional interface the lambda is being assigned to.
2. Can lambdas access local variables?
Answer: Yes, but only effectively final variables.
Java Method References
Java 8 Method reference is used to refer method of functional interface. It is compact and easy form of
lambda expression. Each time when you are using lambda expression to just referring a method, we can
replace our lambda expression with method reference.

Types of Method References

There are four main types of method references in Java:

1. Static Method References: They reference methods that are static within classes.

Syntax:

1. ClassName::staticMethodName

Example: Math::max references the max method of the Math class.

Example 1

In the following example, we have defined a functional interface and referring a static method to it's
functional method say().

1. interface Sayable{

2. void say();

3. }

4. public class MethodReference {

5. public static void saySomething(){

6. System.out.println("Hello, this is static method.");

7. }

8. public static void main(String[] args) {

9. // Referring static method

10. Sayable sayable = MethodReference::saySomething;


11. // Calling interface method

12. sayable.say();

13. }

14. }

Test it Now

Output:

Hello, this is static method.

Example 2

In the following example, we are using predefined functional interface Runnable to refer static method.

1. public class MethodReference2 {

2. public static void ThreadStatus(){

3. System.out.println("Thread is running...");

4. }

5. public static void main(String[] args) {

6. Thread t2=new Thread(MethodReference2::ThreadStatus);

7. t2.start();

8. }

9. }

Test it Now

Output:

Thread is running...

Example 3

You can also use predefined functional interface to refer methods. In the following example, we are
using BiFunction interface and using it's apply() method.

1. import java.util.function.BiFunction;

2. class Arithmetic{

3. public static int add(int a, int b){


4. return a+b;

5. }

6. }

7. public class MethodReference3 {

8. public static void main(String[] args) {

9. BiFunction<Integer, Integer, Integer>adder = Arithmetic::add;

10. int result = adder.apply(10, 20);

11. System.out.println(result);

12. }

13. }

Test it Now

Output:

30

Example 4

You can also override static methods by referring methods. In the following example, we have defined
and overloaded three add methods.

1. import java.util.function.BiFunction;

2. class Arithmetic{

3. public static int add(int a, int b){

4. return a+b;

5. }

6. public static float add(int a, float b){

7. return a+b;

8. }

9. public static float add(float a, float b){

10. return a+b;

11. }

12. }
13. public class MethodReference4 {

14. public static void main(String[] args) {

15. BiFunction<Integer, Integer, Integer>adder1 = Arithmetic::add;

16. BiFunction<Integer, Float, Float>adder2 = Arithmetic::add;

17. BiFunction<Float, Float, Float>adder3 = Arithmetic::add;

18. int result1 = adder1.apply(10, 20);

19. float result2 = adder2.apply(10, 20.0f);

20. float result3 = adder3.apply(10.0f, 20.0f);

21. System.out.println(result1);

22. System.out.println(result2);

23. System.out.println(result3);

24. }

25. }

Test it Now

Output:

30

30.0

30.0

2. Instance Method References of a Particular Object: They reference methods of a specific instance of
a class.

Syntax:

1. instance::instanceMethodName

Example: Suppose str is an instance of String, str::length references the length method of str.

3. Instance Method References of an Arbitrary Object of a Particular Type: They reference methods of
an instance that will be supplied at the time of calling.

Syntax:

1. ClassName::methodName
Example: String::toLowerCase references the toLowerCase method on an instance of String that will be
determined at runtime.

Example 1

In the following example, we are referring non-static methods. You can refer methods by class object and
anonymous object.

1. interface Sayable{

2. void say();

3. }

4. public class InstanceMethodReference {

5. public void saySomething(){

6. System.out.println("Hello, this is non-static method.");

7. }

8. public static void main(String[] args) {

9. InstanceMethodReference methodReference = new InstanceMethodReference(); // Creating


object

10. // Referring non-static method using reference

11. Sayable sayable = methodReference::saySomething;

12. // Calling interface method

13. sayable.say();

14. // Referring non-static method using anonymous object

15. Sayable sayable2 = new InstanceMethodReference()::saySomething; // You can use anony


mous object also

16. // Calling interface method

17. sayable2.say();

18. }

19. }

Test it Now

Output:

Hello, this is non-static method.


Hello, this is non-static method.

Example 2

In the following example, we are referring instance (non-static) method. Runnable interface contains
only one abstract method. So, we can use it as functional interface.

1. public class InstanceMethodReference2 {

2. public void printnMsg(){

3. System.out.println("Hello, this is instance method");

4. }

5. public static void main(String[] args) {

6. Thread t2=new Thread(new InstanceMethodReference2()::printnMsg);

7. t2.start();

8. }

9. }

Test it Now

Output:

Hello, this is instance method

Example 3

In the following example, we are using BiFunction interface. It is a predefined interface and contains a
functional method apply(). Here, we are referring add method to apply method.

1. import java.util.function.BiFunction;

2. class Arithmetic{

3. public int add(int a, int b){

4. return a+b;

5. }

6. }

7. public class InstanceMethodReference3 {

8. public static void main(String[] args) {


9. BiFunction<Integer, Integer, Integer>adder = new Arithmetic()::add;

10. int result = adder.apply(10, 20);

11. System.out.println(result);

12. }

13. }

Test it Now

Output:

30

4. Constructor References: They reference constructors of classes. You can refer a constructor by using
the new keyword.

Syntax:

1. ClassName::new

Example: ArrayList::new references the constructor of ArrayList.

Example

1. interface Messageable{

2. Message getMessage(String msg);

3. }

4. class Message{

5. Message(String msg){

6. System.out.print(msg);

7. }

8. }

9. public class ConstructorReference {

10. public static void main(String[] args) {

11. Messageable hello = Message::new;

12. hello.getMessage("Hello");

13. }
14. }

Test it Now

Output:

Hello

Filename: MethodReferenceExample.java

1. import java.util.ArrayList;

2. import java.util.Arrays;

3. import java.util.List;

4. import java.util.function.Function;

5. import java.util.function.Supplier;

6. import java.util.stream.Collectors;

7. public class MethodReferenceExample {

8. public static void main(String[] args) {

9. List<String> words = Arrays.asList("Java", "Stream", "Method", "References");

10. // Static Method Reference: Converting all strings to uppercase

11. List<String> upperCaseWords = words.stream()

12. .map(String::toUpperCase) // static method reference

13. .collect(Collectors.toList());

14. System.out.println("Uppercase Words: " + upperCaseWords);

15. // Instance Method Reference of an Arbitrary Object of a Particular Type

16. System.out.println("Printing each word:");

17. words.forEach(System.out::println); // instance method reference

18. // Constructor Reference: Creating new instances

19. Supplier<List<String>> listSupplier = ArrayList::new; // constructor reference

20. List<String> newList = listSupplier.get();

21. newList.addAll(words);

22. System.out.println("New List: " + newList);

23. // Additional Example: Using Function Interface for Constructor Reference


24. Function<String, Integer> stringToInteger = Integer::new; // constructor reference

25. Integer number = stringToInteger.apply("100");

26. System.out.println("String to Integer: " + number);

27. }

28. }

Output:

Uppercase Words: [JAVA, STREAM, METHOD, REFERENCES]

Printing each word:Java

Stream

Method

References

New List: [Java, Stream, Method, References]

String to Integer: 100

Java 8 Functional Interfaces


An Interface that contains exactly one abstract method is known as functional interface. It can have any
number of default, static methods but can contain only one abstract method. It can also declare
methods of object class.

Functional interfaces are interfaces with exactly one abstract method, which can be implemented using
lambda expressions, method references, or anonymous classes. They may also contain default and static
methods.

Functional Interface is also known as Single Abstract Method Interfaces or SAM Interfaces.

File Name: FunctionalInterfaceExample.java

1. @FunctionalInterface

2. interface sayable{

3. void say(String msg);

4. }

5. public class FunctionalInterfaceExample implements sayable{

6. public void say(String msg){


7. System.out.println(msg);

8. }

9. public static void main(String[] args) {

10. FunctionalInterfaceExample fie = new FunctionalInterfaceExample();

11. fie.say("Hello there");

12. }

13. }

Test it Now

Output:

Hello there

A functional interface can have methods of object class. Let's understand it through the following
example.

File Name: FunctionalInterfaceExample2.java

1.

2. @FunctionalInterface

3. interface sayable{

4. void say(String msg); // abstract method

5. // It can contain any number of Object class methods.

6. int hashCode();

7. String toString();

8. boolean equals(Object obj);

9. }

10. public class FunctionalInterfaceExample2 implements sayable{

11. public void say(String msg){

12. System.out.println(msg);

13. }

14. public static void main(String[] args) {

15. FunctionalInterfaceExample2 fie = new FunctionalInterfaceExample2();

16. fie.say("Hello there");


17. }

18. }

Test it Now

Output:

Hello there

Invalid Functional Interface

A functional interface can extend another interface only if it does not have any abstract method.

1. interface sayable{

2. void say(String msg); // abstract method

3. }

4. @FunctionalInterface

5. interface Doable extends sayable{

6. // Invalid '@FunctionalInterface' annotation; Doable is not a functional interface

7. void doIt();

8. }

Output:

compile-time error

Example 3

In the following example, a functional interface is extending to a non-functional interface.

1. interface Doable{

2. default void doIt(){

3. System.out.println("Do it now");

4. }

5. }

6. @FunctionalInterface

7. interface Sayable extends Doable{

8. void say(String msg); // abstract method

9. }

10. public class FunctionalInterfaceExample3 implements Sayable{


11. public void say(String msg){

12. System.out.println(msg);

13. }

14. public static void main(String[] args) {

15. FunctionalInterfaceExample3 fie = new FunctionalInterfaceExample3();

16. fie.say("Hello there");

17. fie.doIt();

18. }

19. }

Test it Now

Output:

Hello there

Do it now

Lambda Expressions and Method References

Functional interfaces shine when combined with lambda expressions and method references.

Using lambda expression with Predicate

1. Predicate<Integer> isEven = (num) -> num % 2 == 0;

2. Using method reference with Consumer

3. List<String> names = Arrays.asList("Alice", "Bob", "Charlie");

4. names.forEach(System.out::println);

Java Predefined-Functional Interfaces

Java 8 introduced several built-in functional interfaces in the java.util.function package, each designed to
support common functional programming patterns. Some of the most commonly used functional
interfaces include:

Supplier: Represents a supplier of results.

Consumer: Represents an operation that accepts a single input argument and returns no result.

Predicate: Represents a predicate (boolean-valued function) of one argument.

Function: Represents a function that accepts one argument and produces a result.

UnaryOperator: Represents an operation on a single operand that produces a result of the same type as
its operand.
BinaryOperator: Represents an operation upon two operands of the same type, producing a result of the
same type as the operands.

Custom Functional Interfaces

@FunctionalInterface

1. interface MathOperation {

2. int operate(int a, int b);

3. }

By annotating the interface with @FunctionalInterface, developers indicate that it is intended to be used
as a functional interface. This annotation is optional but serves as a documentation tool, making the
intent of the interface clear to other developers.

We can also define own custom functional interface. Following is the list of functional interface that
belongs to java.util.function package.

Interface Description

It represents an operation that accepts two input a


BiConsumer<T,U>
returns no result.

It represents an operation that accepts a single arg


Consumer<T>
returns no result.

It represents a function that accepts one argumen


Function<T,R>
result.

It represents a predicate (boolean-valued function


Predicate<T>
argument.

It represents a function that accepts two argumen


BiFunction<T,U,R>
a result.

It represents an operation upon two operands of t


BinaryOperator<T>
type. It returns a result of the same type as the op

It represents a predicate (boolean-valued function


BiPredicate<T,U>
arguments.

BooleanSupplier It represents a supplier of boolean-valued results.


It represents an operation upon two double type o
DoubleBinaryOperator
returns a double type value.

It represents an operation that accepts a single do


DoubleConsumer
argument and returns no result.

It represents a function that accepts a double type


DoubleFunction<R>
produces a result.

It represents a predicate (boolean-valued function


DoublePredicate
type argument.

DoubleSupplier It represents a supplier of double type results.

It represents a function that accepts a double type


DoubleToIntFunction
produces an int type result.

It represents a function that accepts a double type


DoubleToLongFunction
produces a long type result.

It represents an operation on a single double type


DoubleUnaryOperator
produces a double type result.

It represents an operation upon two int type opera


IntBinaryOperator
an int type result.

It represents an operation that accepts a single int


IntConsumer
and returns no result.

It represents a function that accepts an integer arg


IntFunction<R>
returns a result.

It represents a predicate (boolean-valued function


IntPredicate
argument.

IntSupplier It represents a supplier of integer type.


It represents a function that accepts an integer arg
IntToDoubleFunction
returns a double.

It represents a function that accepts an integer arg


IntToLongFunction
returns a long.

It represents an operation on a single integer oper


IntUnaryOperator
produces an integer result.

It represents an operation upon two long type ope


LongBinaryOperator
returns a long type result.

It represents an operation that accepts a single lon


LongConsumer
and returns no result.

It represents a function that accepts a long type ar


LongFunction<R>
returns a result.

It represents a predicate (boolean-valued function


LongPredicate
type argument.

LongSupplier It represents a supplier of long type results.

It represents a function that accepts a long type ar


LongToDoubleFunction
returns a result of double type.

It represents a function that accepts a long type ar


LongToIntFunction
returns an integer result.

It represents an operation on a single long type op


LongUnaryOperator
returns a long type result.

It represents an operation that accepts an object a


ObjDoubleConsumer<T>
argument, and returns no result.

It represents an operation that accepts an object a


ObjIntConsumer<T>
argument. It does not return result.

ObjLongConsumer<T> It represents an operation that accepts an object a


argument, it returns no result.

Supplier<T> It represents a supplier of results.

It represents a function that accepts two argumen


ToDoubleBiFunction<T,U>
a double type result.

ToDoubleFunction<T> It represents a function that returns a double type

It represents a function that accepts two argumen


ToIntBiFunction<T,U>
integer.

ToIntFunction<T> It represents a function that returns an integer.

It represents a function that accepts two argumen


ToLongBiFunction<T,U>
result of long type.

ToLongFunction<T> It represents a function that returns a result of lon

It represents an operation on a single operand tha


UnaryOperator<T>
result of the same type as its operand.

Are Runnable, Comparator, and Callable Functional Interfaces?

Yes, these are functional interfaces because they have exactly one abstract method.

1. Runnable:
o Abstract method: void run()
o Example:

Runnable task = () -> System.out.println("Task is running");

new Thread(task).start();

2. Comparator:
o Abstract method: int compare(T o1, T o2)
o Example:
List<Integer> numbers = Arrays.asList(5, 1, 3, 7);

numbers.sort((a, b) -> b - a); // Lambda as Comparator

System.out.println(numbers); // Output: [7, 5, 3, 1]

3. Callable:
o Abstract method: V call() throws Exception
o Example:

Callable<String> task = () -> "Task completed";

ExecutorService executor = Executors.newSingleThreadExecutor();

Future<String> future = executor.submit(task);

System.out.println(future.get()); // Output: Task completed

executor.shutdown();

Other Built-in Functional Interfaces in Java

From java.util.function Package

Abstract
Interface Description Example Usage
Method
void accept(T Performs an operation on a single
Consumer<T> Printing or logging values.
t) input argument.
Supplier<T> T get() Supplies a value without input. Providing default values.
Converts input of type T to output of Transforming data (e.g., String
Function<T, R> R apply(T t)
type R. to Integer).
boolean Evaluates a boolean condition on the Filtering data (e.g., even
Predicate<T>
test(T t) input. numbers).
R apply(T t, U Takes two arguments and produces a
BiFunction<T, U, R> Merging or combining data.
u) result.
A Function where input and output
UnaryOperator<T> T apply(T t) Incrementing a number.
are the same type.
T apply(T t1, A BiFunction where inputs and output
BinaryOperator<T> Adding two numbers.
T t2) are the same type.

Examples for Built-in Functional Interfaces

Consumer Example:
Consumer<String> printer = s -> System.out.println("Hello, " + s);

printer.accept("World"); // Output: Hello, World

Supplier Example:

Supplier<Double> randomValue = () -> Math.random();

System.out.println(randomValue.get()); // Output: Random double value

Function Example:

Function<String, Integer> lengthCalculator = s -> s.length();

System.out.println(lengthCalculator.apply("Lambda")); // Output: 6

Predicate Example:

Predicate<Integer> isEven = n -> n % 2 == 0;

System.out.println(isEven.test(4)); // Output: true

UnaryOperator Example:

UnaryOperator<Integer> square = x -> x * x;

System.out.println(square.apply(5)); // Output: 25

BinaryOperator Example:

BinaryOperator<Integer> sum = (a, b) -> a + b;

System.out.println(sum.apply(3, 7)); // Output: 10

Existing Functional Interfaces Enhanced in Java 8

Interface Abstract Method Use Case Example


Runnable void run() Running a task in a thread.
Comparator int compare() Sorting collections or arrays.
Callable V call() Tasks that return a result in threads.
ActionListener void actionPerformed() Handling GUI actions.

Stream In Java
Stream API is used to process collections of objects. A stream in Java is a sequence of objects that
supports various methods that can be pipelined to produce the desired result.

Use of Stream in Java:

The uses of Stream in Java are mentioned below:

1. Stream API is a way to express and process collections of objects.

2. Enable us to perform operations like filtering, mapping, reducing, and sorting.

Syntax:
Stream<T> stream;
Here T is either a class, object, or data type depending upon the
declaration.

Java Stream Features

The features of Java stream are mentioned below:

 A stream is not a data structure instead it takes input from the Collections, Arrays or I/O
channels.

 Streams don’t change the original data structure, they only provide the result as per the
pipelined methods.

 Each intermediate operation is lazily executed and returns a stream as a result, hence various
intermediate operations can be pipelined. Terminal operations mark the end of the stream and
return the result.

Different Operations On Streams

There are two types of Operations in Streams:

1. Intermediate Operations

2. Terminal Operations
Intermediate Operations are the types of operations in which multiple methods are chained in a row.

1. Intermediate Operations

Intermediate operations in Java Streams are those operations that return another Stream. They are
typically used to transform or filter the elements of the original stream. Since they are lazy, meaning they
do not perform any processing until a terminal operation is called, multiple intermediate operations can
be chained together.

Common Intermediate Operations

o map(Function<T, R>): Transforms each element of the stream into another form using the
provided function.

o filter(Predicate<T>): Selects elements from the stream based on a specified condition.

o flatMap(Function<T, Stream<R>>): Transforms each element into zero or more elements by


applying a function that returns a stream for each element.

o distinct(): Removes duplicate elements from the stream.

o sorted(): Sorts the elements of the stream.

o limit(long n): Truncates the stream to be no longer than the specified size.

o skip(long n): Skips the first n elements of the stream.

o peek(Consumer<T>): Performs a specified action on each element of the stream without


consuming the elements.

2. Terminal Operations

Terminal operations are those operations that consume the stream and produce a result, such as a value,
a collection, or even a side effect. Once a terminal operation is invoked, the stream is processed and
cannot be reused.

Common Terminal Operations

o forEach(Consumer<T>): Performs an action for each element of the stream.

o collect(Collector<T, A, R>): Reduces the elements of the stream into a mutable result container,
such as a list or a map.

o reduce(BinaryOperator<T>): Reduces the elements of the stream to a single value using an


associative accumulation function.

o count(): Returns the count of elements in the stream.


o anyMatch(Predicate<T>): Returns true if any element of the stream matches the given
predicate.

o allMatch(Predicate<T>): Returns true if all elements of the stream match the given predicate.

o noneMatch(Predicate<T>): Returns true if no elements of the stream match the given predicate.

o findFirst(): Returns an Optional describing the first element of the stream, or an empty Optional
if the stream is empty.

o findAny(): Returns an Optional describing some element of the stream, or an empty Optional if
the stream is empty.

3. Short-Circuit Operations

Short-circuit operations are a subset of terminal operations that do not need to process the entire
stream to produce a result. It can provide an early exit.

Common Short-Circuit Operations

o anyMatch(Predicate<T>): Stops processing and returns true if any element matches the given
predicate.

o allMatch(Predicate<T>): Stops processing and returns false if any element does not match the
given predicate.

o noneMatch(Predicate<T>): Stops processing and returns true if no elements match the given
predicate.

o findFirst(): Returns the first element encountered in the stream and then stops processing.

o findAny(): Returns any element encountered in the stream and then stops processing.

Optional in Java8

Optional is a container object in Java 8 that can hold a value or be empty (i.e., null). It is a public
final class and used to deal with NullPointerException. You must import java.util package to use
this class. It provides methods which are used to check the presence of value for particular
variable.

Why Use Optional?

 To avoid NullPointerExceptions by explicitly dealing with absent values.


 To improve code readability.
 To support functional-style programming with methods like map, flatMap, filter, etc.

Optional class Methods:

1. of(T value)
o Definition: Creates an Optional that contains the value, throws NullPointerException if
value is null.
o Trick: "Only valid if not Null." (Remember that it creates an Optional with a non-null
value).
o Optional<String> optional = Optional.of("Hello");
2. ofNullable(T value)
o Definition: Creates an Optional that may be empty if the value is null.
o Trick: "Optional, but not guaranteed." (It handles both null and non-null values).
o Optional<String> optional = Optional.ofNullable(null); // Empty Optional
3. empty()
o Definition: Returns an empty Optional.
o Trick: "Empty Optional, nothing inside."
o Optional<String> optional = Optional.empty(); // Empty Optional
4. isPresent()
o Definition: Returns true if the value is present, false otherwise.
o Trick: "Check if something's there."
o if (optional.isPresent()) {
o System.out.println(optional.get());
o }
5. get()
o Definition: Returns the value inside the Optional, throws NoSuchElementException if
empty.
o Trick: "Grab it if it's there."
o String value = optional.get(); // Throws exception if empty
6. ifPresent(Consumer<? super T> action)
o Definition: Executes the action if the value is present.
o Trick: "If it’s there, do something with it."
o optional.ifPresent(value -> System.out.println(value));
7. orElse(T other)
o Definition: Returns the value if present, otherwise returns the provided default value.
o Trick: "Otherwise, fallback to something else."
o String result = optional.orElse("Default Value");
8. orElseGet(Supplier<? extends T> other)
o Definition: Returns the value if present, or computes the default value using a Supplier.
o Trick: "Lazy fallback." (Use Supplier to get a default lazily).
o String result = optional.orElseGet(() -> "Default Value");
9. orElseThrow(Supplier<? extends Throwable> exceptionSupplier)
o Definition: Throws an exception if the value is not present.
o Trick: "Throw an exception if it’s missing."
o String result = optional.orElseThrow(() -> new IllegalArgumentException("Value is
missing"));
10. filter(Predicate<? super T> predicate)
o Definition: Filters the value if it satisfies the predicate.
o Trick: "Keep only those that fit the rule."
o optional.filter(value -> value.length() > 3).ifPresent(System.out::println);
11. map(Function<? super T, ? extends U> mapper)
o Definition: Transforms the value if present, returns an empty Optional if absent.
o Trick: "Map it if it’s there."
o Optional<String> upperCaseValue = optional.map(String::toUpperCase);
12. flatMap(Function<? super T, Optional<U>> mapper)
o Definition: Similar to map(), but the function should return an Optional.
o Trick: "Flatten the result if transformed."
o Optional<String> result = optional.flatMap(value -> Optional.of(value.toUpperCase()));

Mnemonic for the Flow of Methods:

 "Only Of Empty If Present Get Action or Else Throw Filter Map Flat"

Example:

public class OptionalExample {

public static void main(String[] args) {

Optional<String> name = Optional.ofNullable("John");

Optional<String> emptyName = Optional.ofNullable(null);

// Check if value is present

System.out.println(name.isPresent()); // true

System.out.println(emptyName.isPresent()); // false

// Use orElse to provide a default value

System.out.println(name.orElse("Default Name")); // John

System.out.println(emptyName.orElse("Default Name")); // Default Name


// Apply a transformation with map

String upperCaseName = name.map(String::toUpperCase).orElse("No Name");

System.out.println(upperCaseName); // JOHN

// Using ifPresent

name.ifPresent(n -> System.out.println("Hello " + n)); // Hello John

Cross Questions:

1. What is the main difference between Optional and null?


o Optional makes the presence or absence of a value explicit, whereas null can lead to
runtime exceptions without warning.
2. Can we use Optional as a method argument?
o It’s generally not recommended because Optional is meant to be used for return types
to indicate the presence or absence of a value.
3. What are the drawbacks of Optional?
o While Optional helps to avoid NullPointerException, it can lead to performance overhead
due to excessive wrapping of values.
o It is not meant to replace null entirely, just to make the presence/absence of values
explicit in specific cases, especially return types.
4. Can we use Optional in collections?
o Yes, you can use Optional in collections, but it’s important to carefully evaluate its
necessity as it may lead to complexity.
https://www.javatpoint.com/deadlock-in-java

You might also like