Java interview questions on streams

Java interview questions on streams

Core Concepts

  1. What is a Stream?
    A sequence of elements that supports sequential or parallel operations. Streams do not store data; they operate on a source (e.g., collection) and support functional-style operations such as filter, map, and reduce.

  2. Stream vs. Collection

    • Collections store data, while streams process it on demand.
    • Streams are lazy, meaning operations execute only when a terminal operation is invoked.
  3. Intermediate vs. Terminal Operations

    • Intermediate operations: filter, map, sorted (return a new stream, lazy).
    • Terminal operations: collect, forEach, reduce (produce a result or side effect, eager).

Common Operations

  1. Filter vs. Map

    • filter(Predicate): Selects elements matching a condition.
    • map(Function): Transforms elements into another shape, such as extracting a field.
  2. Reduce
    Combines elements into a single result, such as the sum of numbers:

    int sum = numbers.stream().reduce(0, (a, b) -> a + b);
    
  3. FlatMap
    Flattens nested collections (e.g., List<List> to List):

    List<Integer> flatList = nestedList.stream().flatMap(List::stream).toList();
    

Advanced Concepts

  1. Parallel Streams

    • Allow processing to occur in multiple threads using parallelStream().
    • Thread safety: Ensure the lambda expression is stateless or non-interfering.
  2. Stateful vs. Stateless Operations

    • Stateless: filter, map (do not depend on other elements).
    • Stateful: distinct, sorted (must keep everything in memory).
  3. Short-Circuiting Operations
    These operations end processing early, such as findFirst, limit, and anyMatch.

Collectors

  1. Collectors.toList
    Collects the values of a stream into a list:

    List<String> names = people.stream().map(Person::getName).toList();
    
  2. GroupingBy
    Groups elements by a classifier, such as grouping people by age:

    Map<Integer, List<Person>> peopleByAge = people.stream()
        .collect(Collectors.groupingBy(Person::getAge));
    
  3. PartitioningBy
    Splits elements into two groups (true/false) based on a predicate:

    Map<Boolean, List<Person>> partitioned = people.stream()
        .collect(Collectors.partitioningBy(p -> p.getAge() >= 18));
    

Coding Problems

  1. Find distinct elements in a list:

    List<Integer> distinct = numbers.stream().distinct().toList();
    
  2. Sum all even numbers:

    int sum = numbers.stream().filter(n -> n % 2 == 0).mapToInt(n -> n).sum();
    
  3. Convert a list of strings to uppercase:

    List<String> upper = strings.stream().map(String::toUpperCase).toList();
    
  4. Find the longest string in a list:

    Optional<String> longest = strings.stream()
        .max(Comparator.comparingInt(String::length));
    
  5. Concatenate two streams:

    Stream<String> combined = Stream.concat(stream1, stream2);
    

Best Practices & Pitfalls

  1. Avoid Side Effects
    Stream operations should be stateless; avoid modifying external variables in lambdas.

  2. Primitive Streams
    Performance can be improved using IntStream, LongStream, or DoubleStream for primitive types.

  3. Reusing Streams
    Streams are one-time use only; create new ones if needed.

  4. ForEach vs. For-Loops
    Prefer forEach for clarity, but avoid it for complex mutations or state modifications.

Scenario-Based Interview programming Questions On Java Streams

  1. How to handle exceptions in streams?
    Wrap checked exceptions in a lambda with try-catch or use utility methods like Unchecked:

    List<String> result = files.stream().map(file -> { 
        try { 
            return readFile(file); 
        } catch (IOException e) { 
            throw new UncheckedIOException(e); 
        } 
    }).toList();
    
  2. When to use parallel streams?
    Use for large volumes of data and CPU-bound tasks but avoid for I/O operations or small datasets.

  3. Why does peek exist?
    Used for debugging/logging intermediate stream states, such as peek(System.out::println).

Advanced Coding Challenges

  1. Find the second-largest number in a list:

    OptionalInt secondLargest = numbers.stream()
        .distinct()
        .sorted()
        .skip(numbers.size() - 2)
        .findFirst();
    
  2. Merge two lists of objects into a map (ID → Object):

    Map<Integer, Person> idToPerson = people.stream()
        .collect(Collectors.toMap(Person::getId, Function.identity()));
    
  3. Count occurrences of every word in a list:

    Map<String, Long> wordCount = words.stream()
        .collect(Collectors.groupingBy(Function.identity(), Collectors.counting()));
    

These questions cover fundamental programming concepts, best practices, and optimization strategies. Senior developers may also focus on parallel stream effectiveness and custom collectors.

Java 8 coding interview questions

 Java 8 coding questions:

Problem Solution
Separate Odd and Even Numbers listOfIntegers.stream().collect(Collectors.partitioningBy(number -> number % 2 == 0));
Remove Duplicates from List listOfStrings.stream().distinct().toList();
Character Frequency in String input.chars().mapToObj(c -> (char) c).collect(Collectors.groupingBy(ch -> ch, Collectors.counting()));
Frequency of Array Elements list.stream().collect(Collectors.groupingBy(element -> element, Collectors.counting()));
Sort List in Reverse list.sort(Comparator.reverseOrder()); list.forEach(System.out::println);
Join Strings with Prefix/Suffix list.stream().collect(Collectors.joining("-", "Start-", "-End"));
Filter Multiples of 5 list.stream().filter(number -> number % 5 == 0).forEach(System.out::println);
Merge Arrays and Sort IntStream.concat(Arrays.stream(arr1), Arrays.stream(arr2)).sorted().toArray();
Merge and Remove Duplicates IntStream.concat(Arrays.stream(arr1), Arrays.stream(arr2)).distinct().sorted().toArray();
Find Top 3 Minimum Values list.stream().sorted().limit(3).toList();
Find Top 3 Maximum Values list.stream().sorted(Comparator.reverseOrder()).limit(3).toList();
Sort Strings by Length list.stream().sorted(Comparator.comparing(String::length)).forEach(System.out::println);
Sum and Average of Array int sum = Arrays.stream(inputArray).sum(); double average = Arrays.stream(inputArray).average().orElse(0);
Reverse Integer Array IntStream.range(0, arr.length).map(i -> arr[arr.length - 1 - i]).toArray();
Check Palindrome boolean isPalindrome = IntStream.range(0, str.length() / 2).noneMatch(i -> str.charAt(i) != str.charAt(str.length() - i - 1));
Find Second Largest Number list.stream().sorted(Comparator.reverseOrder()).skip(1).findFirst().orElseThrow();
Common Elements Between Arrays list1.stream().filter(list2::contains).toList();
Reverse Words in String Arrays.stream(str.split(" ")).map(word -> new StringBuilder(word).reverse().toString()).collect(Collectors.joining(" "));
Find Strings Starting with Numbers list.stream().filter(s -> Character.isDigit(s.charAt(0))).toList();
Sum of Digits in Number String.valueOf(input).chars().map(Character::getNumericValue).sum();
Last Element of List list.get(list.size() - 1);
Age from Birth Year Period.between(LocalDate.of(1985, 1, 23), LocalDate.now()).getYears();
Fibonacci Series Stream.iterate(new int[]{0, 1}, fib -> new int[]{fib[1], fib[0] + fib[1]}).limit(10).map(fib -> fib[0]).toList();

This table properly structures the Java 8 coding problems with their corresponding solutions. Let me know if you need any modifications! 

Java 8 Coding Interview Questions and Answers

This document contains a collection of Java 8 coding interview questions along with their answers. These questions focus on key Java 8 features such as Streams, Lambda Expressions, Functional Interfaces, and Method References.

1. Filtering a List and Summing Even Numbers using Streams

Question: Given a list of integers, write a Java 8 program to filter out even numbers and calculate their sum.

Answer:

import java.util.Arrays;
import java.util.List;

public class SumOfEvenNumbers {
    public static void main(String[] args) {
        List<Integer> numbers = Arrays.asList(1, 2, 3, 4, 5, 6, 7, 8, 9, 10);

        int sum = numbers.stream()
                         .filter(n -> n % 2 == 0) // Filter even numbers
                         .mapToInt(Integer::intValue) // Convert to IntStream
                         .sum(); // Calculate sum

        System.out.println("Sum of even numbers: " + sum);
    }
}

Output:

Sum of even numbers: 30

2. Sorting a List of Strings in Ascending and Descending Order

Question: Write a Java 8 program to sort a list of strings in both ascending and descending order.

Answer:

import java.util.Arrays;
import java.util.List;
import java.util.stream.Collectors;

public class SortStrings {
    public static void main(String[] args) {
        List<String> names = Arrays.asList("John", "Alice", "Bob", "Charlie");

        // Ascending order
        List<String> ascendingOrder = names.stream()
                                           .sorted()
                                           .collect(Collectors.toList());

        // Descending order
        List<String> descendingOrder = names.stream()
                                            .sorted((s1, s2) -> s2.compareTo(s1))
                                            .collect(Collectors.toList());

        System.out.println("Ascending Order: " + ascendingOrder);
        System.out.println("Descending Order: " + descendingOrder);
    }
}

Output:

Ascending Order: [Alice, Bob, Charlie, John]
Descending Order: [John, Charlie, Bob, Alice]

3. Finding the Maximum and Minimum Values in a List

Question: Write a Java 8 program to find the maximum and minimum values in a list of integers.

Answer:

import java.util.Arrays;
import java.util.List;
import java.util.Optional;

public class MaxMinValues {
    public static void main(String[] args) {
        List<Integer> numbers = Arrays.asList(10, 20, 5, 30, 15);

        Optional<Integer> max = numbers.stream().max(Integer::compareTo);
        Optional<Integer> min = numbers.stream().min(Integer::compareTo);

        System.out.println("Max Value: " + max.orElse(0));
        System.out.println("Min Value: " + min.orElse(0));
    }
}

Output:

Max Value: 30
Min Value: 5

4. Grouping Objects by a Specific Property using Streams

Question: Given a list of Employee

objects, write a Java 8 program to group them by their department.

Answer:

import java.util.*;
import java.util.stream.Collectors;

class Employee {
    private String name;
    private String department;

    public Employee(String name, String department) {
        this.name = name;
        this.department = department;
    }

    public String getDepartment() {
        return department;
    }

    @Override
    public String toString() {
        return name;
    }
}

public class GroupByDepartment {
    public static void main(String[] args) {
        List<Employee> employees = Arrays.asList(
            new Employee("John", "HR"),
            new Employee("Alice", "IT"),
            new Employee("Bob", "HR"),
            new Employee("Charlie", "IT")
        );

        Map<String, List<Employee>> groupedByDepartment = employees.stream()
            .collect(Collectors.groupingBy(Employee::getDepartment));

        System.out.println("Employees grouped by department: " + groupedByDepartment);
    }
}

Output:

Employees grouped by department: {HR=[John, Bob], IT=[Alice, Charlie]}

5. Removing Duplicates from a List using Streams

Question: Write a Java 8 program to remove duplicates from a list of integers.

Answer:

import java.util.Arrays;
import java.util.List;
import java.util.stream.Collectors;

public class RemoveDuplicates {
    public static void main(String[] args) {
        List<Integer> numbers = Arrays.asList(1, 2, 2, 3, 4, 4, 5);

        List<Integer> uniqueNumbers = numbers.stream()
                                             .distinct()
                                             .collect(Collectors.toList());

        System.out.println("Unique Numbers: " + uniqueNumbers);
    }
}

Output:

Unique Numbers: [1, 2, 3, 4, 5]

6. Counting the Frequency of Characters in a String using Streams

Question: Write a Java 8 program to count the frequency of each character in a string.

Answer:

import java.util.Map;
import java.util.stream.Collectors;

public class CharacterFrequency {
    public static void main(String[] args) {
        String input = "java8";

        Map<Character, Long> frequencyMap = input.chars()
            .mapToObj(c -> (char) c)
            .collect(Collectors.groupingBy(c -> c, Collectors.counting()));

        System.out.println("Character Frequency: " + frequencyMap);
    }
}

Output:

Character Frequency: {a=2, v=1, j=1, 8=1}

Java 8 subtract N minutes from current date

  • Java 8 provides java.time.LocalDateTime class.
  • By using minusMinutes() methods of LocalDateTime class we can subtract minutes from date or current date in java.
  • Lets see an example program on how to remove / subtract n minutes from current date using java 8.



  1. package com.instanceofjava.java8;
  2. import java.time.LocalDateTime;

  3. /**
  4.  * @author www.Instanceofjava.com
  5.  * @category interview programs
  6.  * 
  7.  * Description: subtract minutes to current date using java 8
  8.  *
  9.  */
  10. public class AddMinutesToDate {

  11. public static void main(String[] args) {
  12. //create data using java 8 LocalDateTime 
  13.     LocalDateTime datetime= LocalDateTime.now();
  14. System.out.println("Before subtracting 30 minutes to date: "+datetime);
  15.     //add seconds by using minuesMinutes(seconds) method
  16. datetime=datetime.minusMinutes(30);
  17. System.out.println("After subtracting 30 minutes to date: "+datetime);

  18. }

  19. }

Output:

  1. Before subtracting 30 minutes to date: 2018-02-05T22:41:42.463
  2. After subtracting 30 minutes to date: 2018-02-05T22:11:42.463


subtract minutes from java 8 date time.png

How to Add N minutes to current date using java 8

  • Java 8 providing java java.time package which is having more utility methods related to date and time.
  • LocalDateTime class providing plusMinutes(int minutes) method to add minutes to current date or given date in java.
  • Lets see an example program to add 30 minutes to current date using java 8 LocalDateTime class.



#1: Java Example program to add 30 minutes to current date 

  1. package com.instanceofjava.java8;

  2. import java.time.LocalDateTime;

  3. /**
  4.  * @author www.Instanceofjava.com
  5.  * @category interview programs
  6.  * 
  7.  * Description: Add minutes to current date using java 8
  8.  *
  9.  */
  10. public class AddMinutesToDate {

  11. public static void main(String[] args) {
  12. //create data using java 8 LocalDateTime 
  13.     LocalDateTime datetime= LocalDateTime.now();
  14. System.out.println("Before adding minutes to date: "+datetime);
  15.     //add seconds by using plusMinutes(Minutes) method
  16. datetime=datetime.plusMinutes(30);
  17. System.out.println("After adding 30 minutes to date: "+datetime);

  18. }

  19. }



Output:


  1. Before adding minutes to date: 2018-02-05T22:14:33.664
  2. After adding 30 minutes to date: 2018-02-05T22:44:33.664



add minutes to current date java 8


Can we define default methods in functional interfaces in java 8

  • Functional interfaces in java 8 will have single abstract method in it.
  • Check below two pages regarding defining and using functional interfaces using Lamda expressions.
  • Java 8 functional interface with example
  • Implement java 8 functional interface using lambda example program
  • We can define default methods in functional interfaces in java 8.
  • But every functional interface must have single abstract method in it.
  • As we know that default methods should have a implementation as they are not abstract methods.
  • Lets see an example program on defining functional interface with default method.



#1:  Java example program to create functional interface with default method.

  1. package com.instanceofjava.java8;

  2. /**
  3.  * @author www.Instanceofjava.com
  4.  * @category interview programming questions
  5.  * 
  6.  * Description: java 8 functional interfaces
  7.  *
  8.  */
  9. @FunctionalInterface
  10. public interface FunctionalInterfaceExample {
  11.  
  12. void show();
  13.         //default method
  14. default void message() {
  15. System.out.println("hello this is default method in functional interface");
  16. }
  17. }


#2: Java Example program on how to implement functional interface abstract method and use default method.


Can we define default methods in functional interfaces in java 8


Functional interface with multiple methods in java 8

  • Functional interfaces will contains single abstract method with @FunctionalInterface annotation.
  • Check below two posts for defining functional interface and implementing functional interface method using Lamda in java 8.
  • Java 8 functional interface with example
  • Implement java 8 functional interface using lambda example program
  • Now the question is can we declare or define multiple abstract methods in one functional interface in java 8.
  • No. Functional interface should contain only one abstract method so that Lamda will implement it.
  • Lets see what happens if we define multiple abstract methods inside a functional interface
  • Note: all methods inside any interface by default abstract methods.



  1. package com.instanceofjava.java8;

  2. /**
  3.  * @author www.Instanceofjava.com
  4.  * @category interview programming questions
  5.  * 
  6.  * Description: java 8 functional interfaces
  7.  *
  8.  */
  9. @FunctionalInterface
  10. public interface FunctionalInterfaceExample {
  11. //compile time error: Invalid '@FunctionalInterface' annotation; FunctionalInterfaceExample is
  12. not a functional interface
  13.  
  14. void show();
  15. void calculate();
  16. }


  • If we define multiple abstract methods inside a functional interface it will throw a compile time error.
  • Invalid '@FunctionalInterface' annotation; FunctionalInterfaceExample is not a functional interface

Implement java 8 functional interface using lambda example program

  • Functional interfaces introduces in java 8 .
  • Functional interfaces will have single abstract method in it.
  • Check here for full details on Java 8 functional interface with example.
  • Functional interfaces will be implemented by java 8 Lamda expressions.
  • Lets see an example program on how can we use functional interfaces or how can we implement functional interfaces using Lamda expression in java 8.
  • Create one functional interface with one abstract method in it.
  • Create a class and implement this abstract method using Lamda Expressions.



#1: Java example program to create functional interface.

functional interface example in java 8 using lamda expressions


#2: Java example program to implement functional interface using Lamda expressions in java 8.

  1. package com.instanceofjava.java8;
  2. /**
  3.  * @author www.Instanceofjava.com
  4.  * @category interview programming questions
  5.  * 
  6.  * Description: java 8 Lamda expressions
  7.  *
  8.  */
  9. public class LamdaExpressions {

  10. public static void main(String[] args) {
  11. FunctionalInterfaceExample obj = ()->{
  12. System.out.println("hello world");
  13. };

  14. obj.show();
  15. }

  16. }

Output:

  1. hello world

Java 8 functional interface with example

  • Java 8 introduced Lamda expressions and functional interfaces.
  • An interface with one abstract method is known as functional interfaces.
  • Functional interfaces in java 8 marked with @FunctionalInterface.
  • These functional interfaces implementation will be provided by Lamda expressions.
  • Default methods in java 8 interfaces are not abstract methods. But we can define  multiple default methods in functional interface.
  • Java 8 functional interface example program


#1: Java Example program to create java 8 functional interface.


  1. package com.instanceofjava.java8;

  2. /**
  3.  * @author www.Instanceofjava.com
  4.  * @category interview programming questions
  5.  * 
  6.  * Description: java 8 functional interfaces
  7.  *
  8.  */
  9. @FunctionalInterface
  10. public interface FunctionalInterfaceExample {

  11. void show();
  12. }


  • Can we create functional interface with @FunctionalInterface annotation without any single abstract method?
  • No. Functional interfaces must have single abstract method inside it.
  • It will throw compile time error : Invalid '@FunctionalInterface' annotation; FunctionalInterfaceExample is not a functional interface.
  • Lets see an example program on this so that we can conclude it.
  • How to use these functional interfaces we will discuss in next post on Lamda expressions.
  • Implement java 8 functional interface using lambda example program


#2: What will happend if we define functional interface without a single abstract method in it?

functional interface example in java 8

Java 8 date add n seconds to current date example program

  • Java 8 providing java.time.LocalDateTime class.
  • By using plusSeconds() method of  LocalDateTime we can add seconds to date.
  • By Using minusSeconds() method we can substract  seconds from java date.
  • Lets see an example java program to add n seconds to current date and minus / subtract n seconds from java 8 date. 



#1: Java Example program to add n seconds to current date using java 8.

  1. package com.instanceofjava.java8;
  2. import java.time.LocalDateTime;

  3. /**
  4.  * @author www.Instanceofjava.com
  5.  * @category interview programs
  6.  * 
  7.  * Description: java seconds to java 8 date
  8.  *
  9.  */
  10. public class addSecondsToDate {

  11. public static void main(String[] args) {
  12. //create data using java 8 LocalDateTime 
  13. LocalDateTime datetime= LocalDateTime.now();
  14. System.out.println("Before: "+datetime);
  15. //add seconds by using plusSeconds(seconds) method
  16. datetime=datetime.plusSeconds(12);
  17. System.out.println("After: "+datetime);
  18. }

  19. }

Output:
  1. 2018-02-03T20:19:25.760
  2. 2018-02-03T20:19:37.760

#2: Java Example program to subtract n seconds to current date using java 8.


java 8 date subtract seconds  example program

Java 8 foreach example program

  • Java 8 introduces for each loop.
  • before that lest see an example of how normal java for each loop.

#1: Java Example program which explain use of for each loop.

  1. package com.instanceofjava.java8;

  2. import java.util.HashMap;
  3. import java.util.Map;

  4. public class ForEachLoop {
  5. /**
  6. * @author www.Instanceofjava.com
  7. * @category interview questions
  8. * Description: java 8 for each loop
  9. *
  10. */
  11. public static void main(String[] args) {
  12. Map<String, Integer> stumarks = new HashMap<>();
  13. stumarks.put("Sai", 65);
  14. stumarks.put("Vamshi", 65);
  15. stumarks.put("Mahendar", 76);
  16. stumarks.put("Muni", 87);
  17. stumarks.put("Manohar", 90);

  18. for (Map.Entry<String, Integer> entry : stumarks.entrySet()) {
  19. System.out.println(entry.getKey() + " marks : " + entry.getValue());
  20. }

  21. }

  22. }

Output:

  1. Muni marks : 87
  2. Vamshi marks : 65
  3. Mahendar marks : 76
  4. Sai marks : 65
  5. Manohar marks : 90

#2: Java Example program which explains the use of for each loop in java 8

  • In the above program we used for each loop to get key value pairs of map.
  • Same thing will be done in java 8 by using stumarks.forEach((k,v)->System.out.println( k + " marks : " + v));

Java 8 java.util.function.Function with example program

  • java.util.function.Function introduced in java 8 for functional programming.
  • Function(T,R) will be used in streams where to take one type of  object and convert to another and return. 
  • And this Function() supports methods like apply(), andThen(), compose() and  identity() etc.
  • Lets see an example on java.util.function.Function.



#1: Java Example program on java.util.function.Function

  1. package com.instanceofjava.java8;

  2. import java.util.function.Function;
  3. /**
  4.  * @author www.Instanceofjava.com
  5.  * @category interview questions
  6.  * 
  7.  * Description: java 8 java.util.function.Function example program
  8.  *
  9.  */
  10. public class Java8Function {

  11. public static void main(String[] args) {
  12. Function<Integer, String> function = (n) -> {
  13. return "Number received: "+n;
  14. };

  15. System.out.println(function.apply(37));
  16. System.out.println(function.apply(64));

  17. }

  18. }

Output:

  1. Number received: 37
  2. Number received: 64

#2: Java example program on Function and explain used of addThen() and compose() methods



java 8 function example

How to subtract minutes from current time in java



Program #1 : Java Example Program to subtract minutes from given string formatted date time using java 8.


  1. package java8;
  2. /**
  3.  * By: www.instanceofjava.com
  4.  * program: how to subtract minutes from date time using java 8  
  5. *
  6.  */
  7. import java.time.LocalDateTime;
  8. import java.time.format.DateTimeFormatter;
  9.  
  10. public class SubtractMinutesJava{

  11. public static void main(String[] args) {
  12.  
  13.   DateTimeFormatter formatter = DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss");
  14.  
  15.         String currentTime= "2017-10-19 22:00:00";

  16.  
  17.         System.out.println("Before subtraction of minutes from date: "+currentTime);
  18.  
  19.         LocalDateTime datetime = LocalDateTime.parse(currentTime,formatter);
  20.  
  21.         datetime=datetime.minusMinutes(30);
  22.  
  23.         String aftersubtraction=datetime.format(formatter);
  24.         System.out.println("After 30 minutes subtraction from date: "+aftersubtraction);

  25.  
  26.     }
  27.  
  28. }

Output:

  1. Before subtraction of minutes from date: 2017-10-19 22:00:00
  2. After 30 minutes subtraction from date: 2017-10-19 21:30:00

Program #2 : Java Example Program to subtract seconds from given string formatted date time using java 8.
  1. package java8;
  2. /**
  3.  * By: www.instanceofjava.com
  4.  * program: how to subtract seconds from date time using java 8  
  5. *
  6.  */
  7. import java.time.LocalDateTime;
  8. import java.time.format.DateTimeFormatter;
  9.  
  10. public class SubtractSecondsJava{

  11. public static void main(String[] args) {
  12.  
  13.   DateTimeFormatter formatter = DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss");
  14.  
  15.         String currentTime= "2017-10-19 22:00:00";

  16.  
  17.         System.out.println("Before subtraction of seconds from date time: "+currentTime);
  18.  
  19.         LocalDateTime datetime = LocalDateTime.parse(currentTime,formatter);
  20.  
  21.         datetime=datetime.minusSeconds(30);
  22.  
  23.         String aftersubtraction=datetime.format(formatter);
  24.         System.out.println("After 30 seconds subtraction from date time: "+aftersubtraction);

  25.  
  26.     }
  27.  
  28. }

Output:

  1. Before subtraction of seconds from date time: 2017-10-19 22:00:00
  2. After 30 seconds subtraction from date time: 2017-10-19 21:59:30

Program #3 : Java Example Program to subtract seconds from current date time using java 8.


how to subtract minutes from java date time

Java 8 Interface Static and Default Methods


Java 8 interface static and default methods

  • Java 8 introduced two new methods in interface they are
    1.default methods
    2.static methods
  • By this interfaces and abstract class are same but still having lot differences like abstract class can have a constructor etc will discuss more before that we need to know about these Java 8 features of interfaces.
  • Defaults methods are also called as defender methods can be implemented inside the interface
  • Like normal class now with java 8 we can declare static methods in side a interface.
  • Lets jump deep into Java 8 default and static methods 

  

1.Interface Default Methods in Java 8


  • Before Java 8 in interfaces we can and able to declare only abstract methods only.
  • If we declare a method without abstract that will be treated as abstract by default.
  • As we know all methods in interfaces are by default abstract methods.
  • These methods wont have body means implementations
  • The class which is implementing this interface need to provide body / implementation for this abstract methods.
  • Now with java 8 default methods we can add methods to interface without disturbing existing functionality.
  • So instead of overriding now we can inherit these default methods from interfaces

  • Defaults methods are also  known as defender methods or virtual extension methods
  • Default methods will help us to avoid utility classes.
  • We can define utility methods inside the interface and use it in all classes which is implementing.
  • One of the major reason to introduce this default methods in java 8 is to support lambda expressions in collections API and to enhance.


  1. package com.instanceofjava;
  2. interface Java8Interface{
  3.  
  4. abstract void show();
  5.   
  6. default void display(){
  7.  
  8. System.out.println("default method of interface");
  9.  
  10. }
  11.  
  12. }

  1. package com.instanceofjava;
  2. class Sample implements Java8Interface {
  3.  
  4. void show(){
  5. System.out.print("overridden method ")
  6.  }
  7. public static void main(String[] args){
  8.   
  9. Sample obj= new Sample();
  10.  
  11. obj.show(); // calling implemented method
  12. obj.display(); // calling inherited method
  13. Java8Interface.display(); calling using interface name
  14.  
  15. }
  16.  
  17. }



Output:

 

  1. overridden method
  2. default method of interface
  3. default method of interface


How to call default methods:

 

  • We can all these default methods by using interface name and also by using object of the class which is implementing.
  • From above example
  • obj.show(); // calling implemented method
  • obj.display(); // calling inherited method
  • Java8Interface.display(); calling using interface name

Can we override java 8 default method

  • As we discussed above default methods in interfaces are implemented methods with bodies
  • Yes we can override same method in class which is implementing this interface.
  • Lets see one sample program how to override and what happens if we override


  1. package com.instanceofjava;
  2. interface InterfaceWithDefault{
  3.  
  4. default void defMethod(){
  5.  
  6. System.out.println("default method of interface");
  7.  
  8. }
  9.  
  10. }

  1. package com.instanceofjava;
  2. class Demo implements InterfaceWithDefault{
  3.  
  4. void defMethod(){
  5.  
  6. System.out.print("overridden method in class Demo ") 
  7.  
  8.  }
  9. public static void main(String[] args){
  10.   
  11. Demo obj= new Demo();
  12.  
  13. obj.defMethod(); // calling overridden method
  14. Java8Interface.defMethod(); calling using interface name : interface defMethod will be called
  15.  
  16. }
  17.  
  18. }

Output:


  1. overridden method in class Demo
  2. default method of interface

What happens if we implement two interfaces having same default methods

  • Now lets see if a class implementing two interfaces which are having same default methods
  • Whatever the implementation in the two interfaces defined if we implementing two interfaces which are having a default method in both then compilation error will come if two methods have same signature. works fine if two methods have same name with different arguments.
  • Check the below example programs to understand more.


  1. package com.instanceofjava;
  2. interface A{
  3.  
  4. default void defMethod(){
  5.  
  6. System.out.println("default method of interface: A");
  7.  
  8. }
  9.  
  10. }

  1. package com.instanceofjava;
  2. interface B{
  3.  
  4. default void defMethod(){
  5.  
  6. System.out.println("default method of interface: B");
  7.  
  8. }
  9.  
  10. }

  1. package com.instanceofjava;
  2. class Demo implements A, B{ // compilation error will come
  3.  
  4. public static void main(String[] args){
  5.   
  6. Demo obj= new Demo();
  7.  
  8.  
  9. }
  10.  
  11. }


  • If we implement two interfaces which are having same method with same parameters then compilation error will occur.
  • Duplicate default methods named "defMethod" with the parameters () and () are inherited from the types A and B.
  • If we define two methods with different type of parameters then we can work with both interfaces.



  1. package com.instanceofjava;
  2. interface A{
  3.  
  4. default void defMethod(){
  5.  
  6. System.out.println("Default method of interface: A");
  7.  
  8. }
  9.  
  10. }

  1. package com.instanceofjava;
  2. interface B{
  3.  
  4. default void defMethod(String str){
  5.  
  6. System.out.println("Default method of interface: B");
  7. System.out.println(str);
  8.  
  9.  
  10. }
  11.  
  12. }

  1. package com.instanceofjava;
  2. class Demo implements A, B{ // compilation error will come
  3.  
  4. public static void main(String[] args){
  5.   
  6. Demo obj= new Demo();
  7. obj.defMethod();
  8. obj.defMethod("Java 8")
  9.  
  10.  
  11. }
  12.  
  13. }

Output:

  1. Default method of interface: A
  2. Default method of interface: B 
  3. Java 8


1.Interface Static Methods in Java 8

  • Another Java 8 interface method is static method.
  • Now we can define static methods inside interface but we can not override these static methods.
  • These static method will act as helper methods.
  • These methods are the parts of interface not belongs to implementation class objects.

  1. package com.instanceofjava;
  2. interface StaticInterface{
  3.  
  4. Static void print(String str){
  5.  
  6. System.out.println("Static method of interface:"+str);
  7.  
  8. }
  9. }

  1. package com.instanceofjava;
  2. class Demo implements StaticInterface{
  3.  
  4. public static void main(String[] args){
  5.   
  6.  StaticInterface.print("Java 8")
  7.  
  8. }
  9.  
  10. }

Output:

  1. Static method of interface: Java 8


8 New Java 8 Features



Java 8 features

  1. Default and Static methods in Interface
  2. Lambda Expressions
  3. Optional
  4. Streams
  5. Method References
  6. Data Time API
  7. Nashorn Javascript Engine
  8. Parallel Arrays

 

 

 

1.Default and Static methods in Interface :

  • Java 8 introduces new features to interfaces.
  • Before java 8 interface having only abstract methods but now java 8 added two more type of methods to interface !.
  • First one is default method. A method which is having a default keyword with method body.
  • Actually interfaces wont have any implemented methods  but now with java 8 default method we can add a method with default implementation by using "default " keyword.
  • The classes which are implementing this interface can use these default method and same time it can override the existing method. But its not mandatory to override.

  1. package com.instanceofjava;
  2. interface Java8InterfaceDemo{
  3.  
  4. abstract void add();
  5.   
  6. default void display(){
  7.  
  8. System.out.println("default method of interface");
  9.  
  10. }
  11.  
  12. }


  • The second new method introduced in java 8 is static method.
  • Yes like in classes now we can define a static methods inside interface by using "static".
  • Basically static methods which are defined in interface are interface level only. if we want to call these static methods which are defined in interfaces we need to use interface name so that we can access these methods.

  1. package com.instanceofjava;
  2. interface Java8InterfaceDemo{
  3.  
  4. abstract void add();
  5.   
  6. default void display(){
  7.  
  8. System.out.println("default method of interface");
  9.  
  10. }
  11.  
  12. public static void show(){
  13.  
  14. System.out.println("static method of interface");
  15.  
  16. }
  17.  
  18. }

2.Lambda Expressions 

  • One of the most awaited and biggest release in java 8 is lamda expressions.
  • Ability to pass functionality/ behavior  to methods as arguments.
  • Allows us to write a method in the same place we are going to use it.

  1. package com.instanceofjava;
  2. interface JavalamdaExpression{
  3.  
  4. public static void main(String[] args){
  5.  
  6.  Arrays.asList( "j", "a", "v" ,"a","8").forEach( e -> System.out.print( e ) );
  7.  // java8
  8. }
  9.  
  10. }



3.java.util.Optional:

  • One of the best and cool feature of java 8 is Optional class. Which is a final calls from java.util package.
  • The major repeating statement in every project is checking "NullPointerException". Before using any object we need to check whether it is null or not if its not null then only we need to proceed.
  • Optional is just like a container which holds a value of type <T> or "null". By using isPresent() method of Optional class we can check particular object is null not not.


  1. package com.instanceofjava;
  2. import java.util.Optional:
  3. class Java8OptionalDemo{
  4.  

  5.  
  6. public static void main(String[] args ){
  7.  
  8.  Optional< String > str = Optional.ofNullable( null );
  9.  System.out.println( "str having value ? " + str.isPresent() ); // output : str having value ? false
  10.  
  11. }
  12.  
  13. }



4.Streams:

  • One of the excellent feature from java 8 as java.util.stream.
  • Stream API  introduces real-world functional-style programming into the Java.
  • Provides functional operations on stream of elements such as list , set and map 
  • Supports filtering, mapping and removal of duplicates of elements in collections, are implemented lazily.
  • Now we can get Streams from collections, arrays and bufferedReaders etc.


  1. package com.instanceofjava;
  2. import java.util.Arrays;
  3. class Java8StreamsDemo{
  4.  
  5. public static void main(String[] args ){
  6.  
  7.   Arrays.stream(new int[] {1, 2, 3,4,5})
  8.     .map(n -> 2 * n + 1) 
  9.    .average()
  10.     .ifPresent(System.out::println); // output: 7.0
  11.  
  12.  
  13. }
  14.  
  15. }

5.Method Reference:

  • We can use lambda expressions to create anonymous methods. 
  • Sometimes, however, a lambda expression does nothing but call an existing method.
    In those cases, it's often clearer to refer to the existing method by name.
  • Using Method references refer to the existing method by name, they are compact, easy-to-read lambda expressions for methods that already have a name


  1. package com.instanceofjava;
  2. import java.util.Arrays;
  3.  
  4. class Java8MethodRef{
  5.  
  6.   public  void show(String str){
  7.  
  8.         System.out.println(str);
  9.  
  10.    }
  11.  
  12. public static void main(String[] args ){
  13.  
  14.    Arrays.asList("a", "b", "c").forEach(new A()::show); // a b c

  15.  
  16. }
  17.  
  18. }

6.Data Time API  

  • The next cool feature from java 8 is new date time API(jsr 310) added within java.time package.
  • Before java 8 if we want to format dates we use SimpleDateFormatter class in java 8 while declaring date itself it has constructor to pass format of date.
  •  Some of the new classes introduced in java 8 date time are as follows.
  1. LocalTime
  2. LocalDate 
  3. LocalDateTime
  4. OffsetDate
  5. OffsetTime
  6. OffsetDateTime




  1. package com.instanceofjava;
  2. import java.util.Arrays;
  3.  
  4. class Java8DateTimeAPI{
  5.  
  6. public static void main(String[] args ){
  7.          
  8.     LocalDate currentDate = LocalDate.now();
  9.     System.out.println(currentDate);
  10.     
  11.     LocalDate twentyMarch2015 = LocalDate.of(2015, Month.MARCH, 06);
  12.     System.out.println(twentyMarch2015);  //2015-03-06
  13.  
  14.      LocalDate firstApril2015 = LocalDate.of(2015, 4, 1);
  15.      System.out.println(firstApril2015);//2015-04-01

  16.  
  17. }
  18.  
  19. }

 

7.Nashorn Javascript Engine


  •  Java 8 come with new Nashorn Javascript Engine which is allowing us to develop and run JavaScript applications.


  1. package com.instanceofjava;
  2.  
  3. import javax.script.ScriptEngine;
  4. import javax.script.ScriptEngineManager;
  5. import javax.script.ScriptException;
  6.  
  7. import java.util.Arrays;
  8.  
  9. class Java8JavaScript{
  10.  
  11. public static void main(String[] args ){
  12.          
  13.   ScriptEngineManager manager = new ScriptEngineManager();
  14.   ScriptEngine engine = manager.getEngineByName( "JavaScript" );
  15.   System.out.println( engine.getClass().getName() );
  16.   System.out.println( "output:" + engine.eval( "function show() { return 10; }; show();" ) );
  17.  
  18. }
  19.  
  20. }

  1. jdk.nashorn.api.scripting.NashornScriptEngine
  2. output:10


8.Parallel Array Sorting

  • As of now java 7 we already having Arrays.sort() method to sort objects now java 8 introduced parallel sorting which has more speed than arrays.sort() and follows Fork/Join framework introduced in Java 7 to assign the sorting tasks to multiple threads that are available in the thread pool.
  • Java 8 added parallel sorting functionalities to java.util.Arrays to take advantage of multithread machines 


  1. package com.instanceofjava;
  2. import java.util.Arrays;

  3. class Java8JavaScript{
  4.  
  5. public static void main(String[] args ){
  6.          
  7.          int arr[]={1,4,2,8,5};
  8.          Arrays.parallelSort(arr);
  9.  
  10.          for(int i:arr){  
  11.              System.out.println(i);  
  12.            } 
  13.  
  14. }
  15.  
  16. }



You might like:
Select Menu