JAVA
Unit-03
By varundeep singh
Lambda Expression in Java
• Lambda expressions in Java provide a clear and concise way to represent
functional interfaces (i.e., interfaces with a single abstract method).
Introduced in Java 8, they enable functional programming using simple
syntax.
Syntax of Lambda Expression:
(parameters) -> expression
Or for multiple statements:
(parameters) -> {
// code block
}
• In Java, a functional interface is an interface that has exactly one abstract method. These interfaces are
meant to be used primarily with lambda expressions or method references to enable functional
programming features in Java.
Key Characteristics of a Functional Interface:
• Exactly one abstract method
• Can have multiple default or static methods
• Annotated with @FunctionalInterface (optional but recommended)
@FunctionalInterface
interface MyFunctionalInterface {
void doSomething();
}
public class Test {
public static void main(String[] args) {
MyFunctionalInterface func = () -> System.out.println("Doing something!");
func.doSomething();
}
}
Example: Lambda Expression with a Custom
Functional Interface
• Step 1: Create a Functional Interface
@FunctionalInterface
interface Greeting {
void sayHello(); // Only one abstract method
}
This is a functional interface because it has only one abstract method.
• Step 2: Use Lambda Expression
public class Main {
public static void main(String[] args) {
// Using Lambda Expression to implement the interface
Greeting greeting = () -> System.out.println("Hello, World!");
// Call the method
greeting.sayHello();
}
}
What Are Method References?
• A method reference is a shorter and more readable way to refer to a method
without executing it. It is often used as a replacement for lambda
expressions, when the lambda simply calls an existing method.
Syntax:
ClassName::methodName
Types of Method References
Type Syntax Example
1. Static Method ClassName::staticMethod Math::abs
2. Instance Method (obj) instance::instanceMethod "hello"::toUpperCase
3. Instance Method (class) ClassName::instanceMethod String::toLowerCase
4. Constructor Reference ClassName::new ArrayList::new
Easy Example: Replace Lambda with Method Reference Step-by-step:
Step 1: Using a Lambda Expression
import java.util.*;
public class LambdaExample {
public static void main(String[] args) {
List<String> fruits = Arrays.asList("apple", "banana", "cherry");
// Lambda expression to print each fruit
fruits.forEach(fruit -> System.out.println(fruit));
}
}
Explanation:
• fruits.forEach(...) means "do something for each fruit.
• "fruit -> System.out.println(fruit) is a lambda that prints the fruit.
• Step 2: Replacing Lambda with Method Reference
import java.util.*;
public class MethodRefExample {
public static void main(String[] args) {
List<String> fruits = Arrays.asList("apple", "banana", "cherry");
// Method reference replaces the lambda
fruits.forEach(System.out::println);
}
}
Explanation:
• System.out::println is a method reference to the println() method.
• It's equivalent to the lambda fruit -> System.out.println(fruit).
Output in Both Cases:
apple
banana
cherry
Stream API
Stream API is a newly added feature to the Collections API in Java Eight. A stream represents a
sequence of elements and supports different operations (Filter, Sort, Map, and Collect) from a
collection. We can combine these operations to form a pipeline to query the data.
An Example of How Java Streams Work:
The simplest way to think of Java streams is to imagine a list of objects disconnected from each
other, entering a pipeline one at a time. You can control how many of these objects are entering
the pipeline, what you do to them inside it, and how you catch them as they exit the pipeline.
We can obtain a stream from a collection using the .stream() method.
There uses of Stream in Java are mentioned below:
>Stream API is a way to express and process collections of objects.
>Enable us to perform operations like filtering, mapping,reducing and sorting.
Different Operations On Streams
There are two types of Operations in Streams:
>Intermediate Operations
>Terminate Operations
Intermediate Operations are the types of operations in which multiple methods are chained in a row.
Characteristics of Intermediate Operations
>Methods are chained together.
>Intermediate operations transform a stream into another stream.
1. map()
The map method is used to return a stream consisting of the results of applying the given function to the
elements of this stream.
List number = Arrays.asList(2,3,4,5);
List square = number.stream().map(x->x*x).collect(Collectors.toList());
2. filter()
The filter method is used to select elements as per the Predicate passed as an argument.
List names = Arrays.asList("Reflection","Collection","Stream");
List result = names.stream().filter(s->s.startsWith("S")).collect(Collectors.toList());
3. sorted()
The sorted method is used to sort the stream.
List names = Arrays.asList("Reflection","Collection","Stream");
List result = names.stream().sorted().collect(Collectors.toList());
Terminal Operations
Terminal Operations are the type of Operations that return the result. These Operations are not
processed further just return a final result value.
1. collect()
The collect method is used to return the result of the intermediate operations performed on the stream.
List number = Arrays.asList(2,3,4,5,3);
Set square = number.stream().map(x->x*x).collect(Collectors.toSet());
2. forEach()
The forEach method is used to iterate through every element of the stream.
List number = Arrays.asList(2,3,4,5);
number.stream().map(x->x*x).forEach(y->System.out.println(y));
3. reduce()
The reduce method is used to reduce the elements of a stream to a single value. The reduce method
takes a BinaryOperator as a parameter.
List number = Arrays.asList(2,3,4,5);
int even = number.stream().filter(x->x%2==0).reduce(0,(ans,i)-> ans+i);
Basic Type Base64 Encoding and Decoding in Java
Base 64 is an encoding scheme that converts binary data into text format so that encoded
textual data can be easily transported over network un-corrupted and without any data loss.
The Basic encoding means no line feeds are added to the output and the output is mapped to a
set of characters in A-Za-z0-9+/ character set and the decoder rejects any character outside of
this set.
Encode simple String into Basic Base 64 format
String BasicBase64format= Base64.getEncoder().encodeToString(“actualString”.getBytes());
Explanation: In above code we called Base64.Encoder using getEncoder() and then get the
encoded string by passing the byte value of actualString in encodeToString() method as
parameter.
Decode Basic Base 64 format to String
byte[] actualByte= Base64.getDecoder().decode(encodedString);
String actualString= new String(actualByte);
// Java program to demonstrate
// Encoding simple String into Basic Base 64 format
import java.util.*;
public class varun {
public static void main(String[] args)
{ // create a sample String to encode
String sample = "This is a cat"; // print actual String
System.out.println("Sample String:\n"+ sample);
// Encode into Base64 format
String BasicBase64format=
Base64.getEncoder().encodeToString(sample.getBytes());// print encoded String
System.out.println("Encoded String:\n"+ BasicBase64format);
}
}
Decode Basic Base 64 format to String
// Java program to demonstrate
// Decoding Basic Base 64 format to String
import java.util.*;
public class varun {
public static void main(String[] args)
{ // create an encoded String to decode
String encoded= "VGhpcyBpcyBhIGNhdA==";
// print encoded String
System.out.println("Encoded String:\n"+ encoded);
// decode into String from encoded format
byte[] actualByte = Base64.getDecoder().decode(encoded);
String actualString = new String(actualByte);
// print actual String
System.out.println("actual String:\n"+ actualString);
}
}
TRY-WITH Resources
• In Java, the Try-with-resources statement is a try statement that declares one or more resources in it. A
resource is an object that must be closed once your program is done using it.
• The try-with-resources statement ensures that each resource is closed at the end of the statement execution.
If we don’t close the resources, it may constitute a resource leak and also the program could exhaust the
resources available to it.
• You can pass any object as a resource that implements java.lang.AutoCloseable, which includes all objects
which implement java.io.Closeable.
Syntax: Try-with-resources
try(declare resources here) {
// use resources
}
catch(FileNotFoundException e) {
// exception handling
}
• > Case 1: Single resource
• > Case 2: Multiple resources
import java.io.*;
class varun {
public static void main(String[] args)
{
try (
FileOutputStream fos= new FileOutputStream("gfgtextfile.txt")) {
// Custom string input
String text = "honesty with full dishonesty";
// Converting string to bytes
byte arr[] = text.getBytes();
// Text written in the file
fos.write(arr);
}
// Catch block to handle exceptions
catch (Exception e) {
// Display message for the occurred exception
System.out.println(e);
}
// Display message for successful execution of code
System.out.println("Resource are closed and message has been written into the gfgtextfile.txt");
} //OUTPUT:- Resource are closed and message has been written into the gfgtextfile.txt
}
// Java program for try-with-resources // Display message when file is successfully copied
// having multiple resources System.out.println("File content copied to another
import java.io.*; one.");
class varun { }
public static void main(String[] args) // Catch block to handle generic exceptions
{ catch (Exception e) {
try (FileOutputStream fos= new // Display the exception on the console window
FileOutputStream("outputfile.txt"));
System.out.println(e);
// Adding resource Reading the stream of character from
BufferedReader br = new BufferedReader(new }
FileReader("gfgtextfile.txt"))) { // Display message for successful execution of the program
String text;
System.out.println("Resource are closed and
// Condition check using readLine() method which holds true till there is message has been written into the gfgtextfile.txt");
content in the input file
}
while ((text = br.readLine()) != null) {
}
// Reading from input file passed above using getBytes() method
OUTPUT:-
byte arr[] = text.getBytes();
// String converted to bytes File content copied to another one.
fos.write(arr); Resource are closed and message has been written
// Copying the content of passed input file 'inputgfgtext' file to outputfile.txt
into the gfgtextfile.txt
}
Annotations in Java
• Annotations are used to provide supplemental information about a program.
• Annotations start with ‘@’.
• Annotations do not change the action of a compiled program.
• Annotations help to associate metadata (information) to the program
elements i.e. instance variables, constructors, methods, classes, etc.
• Annotations are not pure comments as they can change the way a program is
treated by the compiler. See below code for example.
• Annotations basically are used to provide additional information, so could be
an alternative to XML and Java marker interfaces.
JAVA MODULE SYSTEM
• The main aim of the system is to collect Java packages and code to be
collected into a single unit called a Module. The reason to add this feature in
Java is that when we want to create modular applications using Java the
earlier versions before 9 have no system like this that’s why the size of the
application has increased. Even the JDK file in the earlier version of Java has a
large size only the rt.jar file size was around 64 MB.
How to Create a module in java?
Creating the java modules involves three steps to be created in java. The three steps to be followed are:
1. We want to create a directory structure.
2. We want to create a module declarator as we mentioned earlier which is used to describe the module.
3. we have to create a source code in that module
Step 1 : (Create a Directory Structure)
In order to create a module we have to follow the reverse domain pattern in a similar way we create packages in java.
Step 2 – Create a module declarator
Create a file name module-info.java as module declarator and in the interior of the file create a module using the module
identifier . After the module identifier use the module name same as directory name and if the module-info.java has no
dependency leave it empty and save it in the as mentioned below:
module org.varun {
//empty body
}
Step 3 – Create a source code file
Now we can create the source code file with the name Main.java and save it and save the file in the
src/org.varun/org/varun.
//Java program to create a source code file
class Main
{
public static void main(String args[])
{
System.out.println("Hello welcome know about java module system");
}
Diamond syntax with inner anonymous
class
Generics in Java: In Java, generics allow classes, interfaces, and methods to operate on types specified at
runtime. For example, class varun<T> is a generic class where T can be any type specified when an
instance of the class is created.
Anonymous Inner Classes: These are classes that are defined and instantiated in a single expression using
the new keyword. They do not have a name and are used to override methods of a class or interface.
Diamond Operator: Diamond operator was introduced in Java 7 as a new feature.The main purpose of the
diamond operator is to simplify the use of generics when creating an object. It avoids unchecked
warnings in a program and makes the program more readable. The diamond operator could not be used
with Anonymous inner classes in JDK 7. In JDK 9, it can be used with the anonymous class as well to
simplify code and improves readability. Before JDK 7, we have to create an object with Generic type on
both side of the expression like:
// Here we mentioned the generic type
// on both side of expression while creating object
List<String> varun = new ArrayList<String>();
When Diamond operator was introduced in Java 7, we can create the object without mentioning generic
type on right side of expression like:
List<String> ax varun = new ArrayList<>();
Local variable type inference
Local Variable Type Inference is one of the most evident change to language
available from Java 10 onwards. It allows to define a variable using var and
without specifying the type of it. The compiler infers the type of the variable
using the value provided. This type inference is restricted to local variables.
Old way of declaring local variable.
String name = "Welcome to ";
New Way of declaring local variable.
var name = "Welcome to ";
>Map<Integer, String> mapNames = new HashMap<>();
>var mapNames1 = new HashMap<Integer, String>();
import java.util.List;
public class varun {
public static void main(String[] args) {
var names = List.of("varun", "Deep", "Singh", "Boss");
for (var name : names) {
System.out.println(name);
}
System.out.println("");
for (var i = 0; i < names.size(); i++) {
System.out.println(names.get(i));
}
}
}
Switch Expressions
Problems in Traditional Switch
1. Default fall through due to missing break:
The default fall-through behavior is error-prone. example.
switch (itemCode) {
case 001 :
System.out.println("It's a laptop!");
break;
case 002 :
System.out.println("It's a desktop!");
break;
case 003 :
System.out.println("It's a mobile phone!");
Break;
default :
System.out.println("Unknown device!");
}
The above code works by matching the corresponding case and executing the particular code block. As long as you provide the
necessary break statements, it works fine.
But what happens if we forget any of the required break statements:
switch (itemCode) {
case 001 :
System.out.println("It's a laptop!");
// missed out break here
case 002 :
System.out.println("It's a desktop!");
}
Here, if we pass 001, the first case matches, and the code block executes. But due to missing break, execution falls through and
continues for case 002. We get the following wrong output:
Output:-
It's a laptop!
It's a desktop!
Clearly, this is not the intended output. It is a result of accidentally missing out break statements.
Upgraded Switch in Java 13
Enhancements to switch statements were introduced by Java 12 and then further
modified by Java 13.
Supports multiple values per case:
With multiple values being specified per case, it simplifies the code structure and
eliminates the need for using fall through.
The values need to be separated by commas and break should follow the case block.
switch (itemCode) {
case 001, 002, 003 :
System.out.println("It's an electronic gadget!");
break;
case 004, 005:
System.out.println("It's a mechanical device!");
}
yield is used to return a value:
A new keyword yield has been introduced. It returns values from a switch branch only. We don’t need a break after
yield as it automatically terminates the switch expression.
int val = switch (code) {
case "x", "y" :
yield 1;
case "z", "w" :
yield 2;
}
Text Block Syntax
A text block is an enhancement to existing String object with special syntax where string content should starts with """ with
newline and ends with """. Any content within """ will be used as-is.
String textBlockJSON = """
{ "name" : "Mahesh"
"RollNO" : "32"
}
Equivalent String can be written using older syntax
as shown below:
public class Tester {
public static void main(String[] args) {
String stringJSON = "{\r\n"
+ " \"Name\" : \"Mahesh\",\r\n"
+ " \"RollNO\" : \"32\"\r\n"
+ "}";
System.out.println(stringJSON);
String textBlockJSON = """
{
"name" : "Mahesh",
"RollNO" : "32"
}
"""; System.out.println(textBlockJSON);
}
}
SEALED CLASSES
• security and control flow are the two major concerns that must be considered
while developing an application. There are various controlling features such as
the use of final and protected keywords that restrict the user to access
variables and methods. Java 15 introduces a new preview feature that allows
us to control the inheritance.
• we can say that the class that cannot be inherited but can be instantiated is
known as the sealed class. It allows classes and interfaces to have more
control over their permitted subtypes. It is useful both for general domain
modeling and for building a more secure platform for libraries.
• USES:-
Java Reflection API
Pattern Matching
Defining a Sealed Class
• The declaration of a sealed class is not much complicated. If we want to
declare a class as sealed, add a sealed modifier to its declaration. After the
class declaration and extends and implements clause, add permits clause. The
clause denotes the classes that may extend the sealed class.
It presents the following modifiers and clauses:
• sealed: It can only be extended by its permitted subclasses.
• non-sealed: It can be extended by unknown subclasses; a sealed class cannot
prevent its permitted subclasses from doing this.
• permits: It allows the subclass to inherit and extend.
• final: The permitted subclass must be final because it prevents further
extensions.