$show=/label

Latest 32 Java 8 Interview Questions + Programming Questions

SHARE:

Java 8 Most Frequently Asked Interview Questions And Answers in 2020.JDK 8 is major version change in java and comes with Streams,Functional Interface

Java 8 Interview Questions(+ Answers) - Top Java 8 Questions 2020

1. Introduction

In this article, we are going to explore some of the new JDK8 related questions that might pop up during an interview in 2020.

Java 8 interview programs are at the end of the article. First, we have covered the java 8 basic connects. Read till end to find the most useful interview programs.

Java 8 is a platform release packed with new language features and library classes. Most of these new features are geared towards achieving cleaner and more compact code, and some add new functionality that has never been supported in Java.

We have gathered a few but commonly asked everywhere in java 8. Soon publishing some more interview questions only on java 8 stream programs.

Java 8 Most Frequently Asked Interview Questions And Answers in 2020


2. Java 8 General Knowledge


Q1) What Are The New Features Were Added in Java 8?


Java 8 ships with several new features but the most significant are the following and will be covering the interview questions on these areas.

Lambda Expressions − a new language feature allowing treating actions as objects
Method References − enable defining Lambda Expressions by referring to methods directly using their names
Optional − special wrapper class used for expressing optionality
Functional Interface – an interface with maximum one abstract method, implementation can be provided using a Lambda Expression
Default methods − give us the ability to add full implementations in interfaces besides abstract methods
Nashorn, JavaScript Engine − Java-based engine for executing and evaluating JavaScript code
Stream API − a special iterator class that allows processing collections of objects in a functional manner
Date API − an improved, immutable JodaTime-inspired Date API

Along with these new features, lots of feature enhancements are done under-the-hood, at both compiler and JVM level.

3. Method References


Q2) What Is a Method Reference?


A method reference is a Java 8 construct that can be used for referencing a method without invoking it. It is used for treating methods as Lambda Expressions. They only work as syntactic sugar to reduce the verbosity of some lambdas. This way, the following code:

(o) -> o.toString();

This can be rewritten using Method Reference as below. A method reference can be identified by a double colon separating a class or object name and the name of the method. It has different variations such as constructor reference:

Object::toString;
 
Constructor:

String::new;

Static method reference:

Consumer value =  String::valueOf;

Bound instance method reference:

Consumer value =str::toString;

Unbound instance method reference:

Consumer value = String::toString;

You can read a detailed description of method references with full examples by following this link and this one.

Java 8 Method Reference Examples

package com.java.w3schools.blog.java8.stream;

import java.util.function.Consumer;

public class MethodReference {

 public static void main(String[] args) {

  Consumer methodRef = (o) -> o.toString();

  // rewritten above as below.
  Consumer objConcumer = Object::toString;

  // constructor
  Consumer constrConsumer = String::new;

  // Static method reference:
  Consumer staticConsumer = String::toString;

  // Unbound instance method reference:  
  Consumer value2 = String::toString;

 }

}

Java 8 Method Reference Examples


Q3) What Is the Meaning of String::valueOf Expression?


It is a static method reference to the valueOf method of the String class.

4. Optional


Q4). What Is Optional? How Can It Be Used?


Optional is a new class in Java 8 that encapsulates an optional value i.e. a value that is either there or not. It is a wrapper around an object, and you can think of it as a container of zero or one element.

Optional has a special Optional.empty() value instead of wrapped null. Thus it can be used instead of a nullable value to get rid of NullPointerException in many cases.

You can read a dedicated article about Optional here.

The main purpose of Optional, as designed by its creators, was to be a return type of methods that previously would return null. Such methods would require you to write boilerplate code to check the return value and sometimes could forget to do a defensive check. In Java 8, an Optional return type explicitly requires you to handle null or non-null wrapped values differently.

For instance, the Stream.max() method calculates the minimum value in a stream of values. But what if the stream is empty? If it was not for Optional, the method would return null or throw an exception.

But it returns an Optional value which may be Optional.empty() (the second case). This allows us to easily handle such case:


package com.java.w3schools.blog.java8.stream;

import java.util.Arrays;

public class OptionalExample {

 public static void main(String[] args) {
  int max1 = Arrays.stream(new int[] { 1, 2, 3, 4, 5 }).max().orElse(0);

  int max2 = Arrays.stream(new int[] {}).max().orElse(0);

  System.out.println("max1 : " + max1);
  System.out.println("max2 : " + max2);

 }

}

Output:

max1 : 5
max2 : 0

JAVA 8 optional example




It's worth noting that Optional is not a general-purpose class like Option in Scala. It is not recommended to be used as a field value in entity classes, which is clearly indicated by it not implementing the Serializable interface.

5. Functional Interfaces


Q5) Describe Some of the Functional Interfaces in the Standard Library.


There are a lot of functional interfaces in the java.util.function package, the more common ones include but not limited to:

Function – it takes one argument and returns a result
Consumer – it takes one argument and returns no result (represents a side effect)
Supplier – it takes no argument and returns a result
Predicate – it takes one argument and returns a boolean
BiFunction – it takes two arguments and returns a result
BinaryOperator – it is similar to a BiFunction, taking two arguments and returning a result. The two arguments and the result are all of the same types
UnaryOperator – it is similar to a Function, taking a single argument and returning a result of the same type

For more on functional interfaces, see the article “Functional Interfaces in Java 8”.

Q6) What Is a Functional Interface? What Are the Rules of Defining a Functional Interface?


A functional interface is an interface with no more, no less but one single abstract method (default methods do not count).

Where an instance of such an interface is required, a Lambda Expression can be used instead. More formally put: Functional interfaces provide target types for lambda expressions and method references.

The arguments and return type of such expression directly match those of the single abstract method.

For instance, the Runnable interface is a functional interface, so instead of:

Thread thread = new Thread(new Runnable() {
    public void run() {
        System.out.println("New thread running.");
    }
});

you could simply do:

Thread thread = new Thread(() -> System.out.println("New thread running."));

Functional interfaces are usually annotated with the @FunctionalInterface annotation – which is informative and does not affect the semantics.

Full Example:

package com.java.w3schools.blog.java8.stream;

public class FunctionalInterfaceThreads {

 public static void main(String[] args) {

  // without functional interface
  Thread thread = new Thread(new Runnable() {
   public void run() {
    System.out.println("New thread running.");
   }
  });
  thread.start();

  // with functional interface
  Thread thread2 = new Thread(() -> System.out.println("With functiona interface New thread running."));
  thread2.start();

 }

}

Output:

New thread running.
With functiona interface New thread running.


6. Default Methods


Q7) What Is a Default Method and When Do We Use It?


A default method is a method with an implementation – which can be found in an interface.

We can use a default method to add new functionality to an interface while maintaining backward compatibility with classes that are already implementing the interface:

public interface Vehicle {
    public void move();
    default void log(String msg) {
        System.out.println("message : "+msg);
    }
}

Usually, when a new abstract method is added to an interface, all implementing classes will break until they implement the new abstract method. In Java 8, this problem has been solved by the use of the default method.

For example, the Collection interface does not have a forEach method declaration. Thus, adding such a method would simply break the whole collections API.

Java 8 introduces the default method so that the Collection interface can have a default implementation of the forEach method without requiring the classes implementing this interface to implement the same.

Q8) Will the Following Code Compile?


@FunctionalInterface
public interface CustomFunction {
    public V apply(T t, U u);
 
    default void sum() {
        // summing t + u.
    }
}
 
Yes. The code will compile because it follows the functional interface specification of defining only a single abstract method. The second method, sum, is a default method that does not increase the abstract method count.

7. Lambda Expressions


Q9) What Is a Lambda Expression and What Is It Used for


In very simple terms, a lambda expression is a function that can be referenced and passed around as an object.

Lambda expressions introduce functional style processing in Java and facilitate the writing of compact and easy-to-read code.

Because of this, lambda expressions are a natural replacement for anonymous classes as method arguments. One of their main uses is to define inline implementations of functional interfaces.

Q10) Explain the Syntax and Characteristics of a Lambda Expression


A lambda expression consists of two parts: the parameter part and the part of the expression separated by a forward arrow as below:
 
params -> expressions

Any lambda expression has the following characteristics:

    Optional type declaration – when declaring the parameters on the left-hand side of the lambda, we don't need to declare their types as the compiler can infer them from their values. So int param -> … and param ->… are all valid
    Optional parentheses – when only a single parameter is declared, we don't need to place it in parentheses. This means param -> … and (param) -> … are all valid. But when more than one parameter is declared, parentheses are required
    Optional curly braces – when the part of the expression only has a single statement, there is no need for curly braces. This means that param – > statement and param – > {statement;} are all valid. But curly braces are required when there is more than one statement
    Optional return statement – when the expression returns a value and it is wrapped inside curly braces, then we don't need a return statement. That means (a, b) – > {return a+b;} and (a, b) – > {a+b;} are both valid

To read more about Lambda expressions, follow this link and this one.

8. Nashorn Javascript


Q11) What Is Nashorn in Java8?


Nashorn is the new Javascript processing engine for the Java platform that shipped with Java 8. Until JDK 7, the Java platform used Mozilla Rhino for the same purpose. as a Javascript processing engine.

Nashorn provides better compliance with the ECMA normalized JavaScript specification and better runtime performance than its predecessor.

Q12) What Is JJS?


In Java 8, jjs is the new executable or command-line tool used to execute Javascript code at the console.

9. Streams

Q13) What Is a Stream? How Does It Differ from a Collection?


In simple terms, a stream is an iterator whose role is to accept a set of actions to apply to each of the elements it contains.

The stream represents a sequence of objects from a source such as a collection, which supports aggregate operations. They were designed to make collection processing simple and concise. Contrary to the collections, the logic of iteration is implemented inside the stream, so we can use methods like map and flatMap for performing declarative processing.

Another difference is that the Stream API is fluent and allows pipelining:

package com.java.w3schools.blog.java8.stream;

import java.util.Arrays;

public class StreamMultiplication {

 public static void main(String[] args) {
  int sum = Arrays.stream(new int[] { 1, 2, 3, 4, 5 }).filter(i -> i >= 3).map(i -> i * 2).sum();

  System.out.println("Stream multiplication sum : " + sum);
 }

}

Output:

Stream multiplication sum : 24

And yet another important distinction from collections is that streams are inherently lazily loaded and processed.

Q14) What Is the Difference Between Intermediate and Terminal Operations?


Stream operations are combined into pipelines to process streams. All operations are either intermediate or terminal.

Intermediate operations are those operations that return Stream itself allowing for further operations on a stream.

These operations are always lazy, i.e. they do not process the stream at the call site, an intermediate operation can only process data when there is a terminal operation. Some of the intermediate operations are filter, map and flatMap.

Terminal operations terminate the pipeline and initiate stream processing. The stream is passed through all intermediate operations during terminal operation call. Terminal operations include forEach, reduce, Collect and sum.

To drive this point home, let us look at an example with side effects:

package com.java.w3schools.blog.java8.stream;

import java.util.Arrays;

public class StreamTerminalVsIntermediate {

 public static void main(String[] args) {
  System.out.println("Stream without terminal operation");

  Arrays.stream(new int[] { 1, 2, 3 }).map(i -> {
   System.out.println("doubling " + i);
   return i * 2;
  });

  System.out.println("Stream with terminal operation");
  long sum2 = Arrays.stream(new int[] { 1, 2, 3 }).map(i -> {
   System.out.println("doubling " + i);
   return i * 2;
  }).sum();
  System.out.println("Sum : " + sum2);

 }

}

The output will be as follows:


Stream without terminal operation
Stream with terminal operation
doubling 1
doubling 2
doubling 3
 
Note: The intermediate operations are only triggered when a terminal operation exists.

Difference Between Intermediate and Terminal Operations

Q15) What Is the Difference Between Map and flatMap Stream Operation?


There is a difference in the signature between map and flatMap. Generally speaking, a map operation wraps its return value inside its ordinal type while flatMap does not.

For example, in Optional, a map operation would return Optional<String> type while flatMap would return String type.

So after mapping, one needs to unwrap (read “flatten”) the object to retrieve the value whereas, after flat mapping, there is no such need as the object is already flattened. The same concept is applied to mapping and flat mapping in Stream.

Both map and flatMap are intermediate stream operations that receive a function and apply this function to all elements of a stream.

The difference is that for the map, this function returns a value, but for flatMap, this function returns a stream. The flatMap operation “flattens” the streams into one.

Here's an example where we take a map of users' names and lists of phones and “flatten” it down to a list of phones of all the users using flatMap:

package com.java.w3schools.blog.java8.stream;                                                                               
                                                                                                                            
import java.util.Arrays;                                                                                                    
import java.util.Collection;                                                                                                
import java.util.HashMap;                                                                                                   
import java.util.List;                                                                                                      
import java.util.Map;                                                                                                       
import java.util.stream.Collectors;                                                                                         
                                                                                                                            
public class Java8FlatMap {                                                                                                 
                                                                                                                            
 public static void main(String[] args) {                                                                                
  Map> people = new HashMap<>();                                                                 
  people.put("Cena", Arrays.asList("123-1123", "456-3389"));                                                          
  people.put("Undertaker", Arrays.asList("678-2243", "986-5264"));                                                    
  people.put("Khali", Arrays.asList("678-6654", "986-3242"));                                                         
                                                                                                                            
  List> phonesWithmap = people.values().stream().map(p -> p).collect(Collectors.toList());               
  System.out.println("phones with map() : " + phonesWithmap);                                                         
                                                                                                                            
  List phonesWithFlatmap = people.values().stream().flatMap(Collection::stream)                               
    .collect(Collectors.toList());                                                                              
  System.out.println("phones with flatmap() : " + phonesWithFlatmap);                                                 
                                                                                                                            
 }                                                                                                                       
                                                                                                                            
}                                                                                                                           
                                                                                                                            
Output:

phones with map() : [[678-6654, 986-3242], [123-1123, 456-3389], [678-2243, 986-5264]]
phones with flatmap() : [678-6654, 986-3242, 123-1123, 456-3389, 678-2243, 986-5264]

 
Difference Between Map and flatMap Stream Operation


Q16) What Is Stream Pipelining in Java 8?


Stream pipelining is the concept of chaining operations together. This is done by splitting the operations that can happen on a stream into two categories: intermediate operations and terminal operations.

Each intermediate operation returns an instance of Stream itself when it runs, an arbitrary number of intermediate operations can, therefore, be set up to process data forming a processing pipeline.

There must then be a terminal operation that returns a final value and terminates the pipeline.

10. Java 8 Date and Time API


Q17) Tell Us About the New Date and Time API in Java 8


A long-standing problem for Java developers has been the inadequate support for the date and time manipulations required by ordinary developers.

The existing classes such as java.util.Date and SimpleDateFormatter aren’t thread-safe, leading to potential concurrency issues for users.

Poor API design is also a reality in the old Java Data API. Here's just a quick example – years in java.util.Date start at 1900, months start at 1, and days start at 0 which is not very intuitive.

These issues and several others have led to the popularity of third-party date and time libraries, such as Joda-Time.

In order to address these problems and provide better support in JDK, a new date and time API, which is free of these problems, has been designed for Java SE 8 under the package java.time.

11. Java 8 Programming Interview Questions









In this article, we've explored a few very important questions for technical interview questions with a bias on Java 8. This is by no means an exhaustive list but only contains questions that we think are most likely to appear in each new feature of Java 8.

Even if you are just starting up, ignorance of Java 8 isn't a good way to go in an interview, especially when Java appears strongly on your resume. It is, therefore, important that you take some time to understand the answers to these questions and possibly do more research.

Good luck in your interview and you can crack the programming round. Cool.




COMMENTS

BLOGGER

About Us

Author: Venkatesh - I love to learn and share the technical stuff.
Name

accumulo,1,ActiveMQ,2,Adsense,1,API,37,ArrayList,18,Arrays,24,Bean Creation,3,Bean Scopes,1,BiConsumer,1,Blogger Tips,1,Books,1,C Programming,1,Collection,8,Collections,37,Collector,1,Command Line,1,Comparator,1,Compile Errors,1,Configurations,7,Constants,1,Control Statements,8,Conversions,6,Core Java,149,Corona India,1,Create,2,CSS,1,Date,3,Date Time API,38,Dictionary,1,Difference,2,Download,1,Eclipse,3,Efficiently,1,Error,1,Errors,1,Exceptions,8,Fast,1,Files,17,Float,1,Font,1,Form,1,Freshers,1,Function,3,Functional Interface,2,Garbage Collector,1,Generics,4,Git,9,Grant,1,Grep,1,HashMap,2,HomeBrew,2,HTML,2,HttpClient,2,Immutable,1,Installation,1,Interview Questions,6,Iterate,2,Jackson API,3,Java,32,Java 10,1,Java 11,6,Java 12,5,Java 13,2,Java 14,2,Java 8,128,Java 8 Difference,2,Java 8 Stream Conversions,4,java 8 Stream Examples,12,Java 9,1,Java Conversions,14,Java Design Patterns,1,Java Files,1,Java Program,3,Java Programs,114,Java Spark,1,java.lang,4,java.util. function,1,JavaScript,1,jQuery,1,Kotlin,11,Kotlin Conversions,6,Kotlin Programs,10,Lambda,2,lang,29,Leap Year,1,live updates,1,LocalDate,1,Logging,1,Mac OS,3,Math,1,Matrix,6,Maven,1,Method References,1,Mockito,1,MongoDB,3,New Features,1,Operations,1,Optional,6,Oracle,5,Oracle 18C,1,Partition,1,Patterns,1,Programs,1,Property,1,Python,2,Quarkus,1,Read,1,Real Time,1,Recursion,2,Remove,2,Rest API,1,Schedules,1,Serialization,1,Servlet,2,Sort,1,Sorting Techniques,8,Spring,2,Spring Boot,23,Spring Email,1,Spring MVC,1,Streams,31,String,61,String Programs,28,String Revese,1,StringBuilder,1,Swing,1,System,1,Tags,1,Threads,11,Tomcat,1,Tomcat 8,1,Troubleshoot,26,Unix,3,Updates,3,util,5,While Loop,1,
ltr
item
JavaProgramTo.com: Latest 32 Java 8 Interview Questions + Programming Questions
Latest 32 Java 8 Interview Questions + Programming Questions
Java 8 Most Frequently Asked Interview Questions And Answers in 2020.JDK 8 is major version change in java and comes with Streams,Functional Interface
https://blogger.googleusercontent.com/img/b/R29vZ2xl/AVvXsEh8ZFaIgH3o-cKVxbrpG7OATCV7g-XP4DII7G9dQWvuv9i0nyr0x8Z4bb66g5cSTbFRfVQhwX1CSNkIR8TnH5KbiYHAFMvqd6jCxMYR2miqID_By3ODlLk-Cgq5bpevZYZi-b_Lh3oc93A/w640-h354/Java+8+Interview+Questions%2528%252B+Answers%2529+-+17+Top+Java+8+Questions+2020.png
https://blogger.googleusercontent.com/img/b/R29vZ2xl/AVvXsEh8ZFaIgH3o-cKVxbrpG7OATCV7g-XP4DII7G9dQWvuv9i0nyr0x8Z4bb66g5cSTbFRfVQhwX1CSNkIR8TnH5KbiYHAFMvqd6jCxMYR2miqID_By3ODlLk-Cgq5bpevZYZi-b_Lh3oc93A/s72-w640-c-h354/Java+8+Interview+Questions%2528%252B+Answers%2529+-+17+Top+Java+8+Questions+2020.png
JavaProgramTo.com
https://www.javaprogramto.com/2020/03/java-8-interview-questions.html
https://www.javaprogramto.com/
https://www.javaprogramto.com/
https://www.javaprogramto.com/2020/03/java-8-interview-questions.html
true
3124782013468838591
UTF-8
Loaded All Posts Not found any posts VIEW ALL Readmore Reply Cancel reply Delete By Home PAGES POSTS View All RECOMMENDED FOR YOU LABEL ARCHIVE SEARCH ALL POSTS Not found any post match with your request Back Home Sunday Monday Tuesday Wednesday Thursday Friday Saturday Sun Mon Tue Wed Thu Fri Sat January February March April May June July August September October November December Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec just now 1 minute ago $$1$$ minutes ago 1 hour ago $$1$$ hours ago Yesterday $$1$$ days ago $$1$$ weeks ago more than 5 weeks ago Followers Follow THIS PREMIUM CONTENT IS LOCKED STEP 1: Share to a social network STEP 2: Click the link on your social network Copy All Code Select All Code All codes were copied to your clipboard Can not copy the codes / texts, please press [CTRL]+[C] (or CMD+C with Mac) to copy Table of Content