java Interview Questions

Question 1: What is Java?
Hide Answer

Answer:

Java is a high-level, class-based, object-oriented programming language designed to have as few implementation dependencies as possible.

Question 2: What are the main features of Java?
Hide Answer

Answer:

The main features of Java include platform independence, object-oriented, robust, secure, multithreaded, architecture-neutral, portable, high performance, and interpreted.

Question 3: What is the JVM?
Hide Answer

Answer:

JVM (Java Virtual Machine) is an abstract machine that enables your computer to run a Java program. It converts bytecode into machine-specific code.

Question 4: What is the JDK?
Hide Answer

Answer:

JDK (Java Development Kit) is a software development kit used to develop Java applications. It includes the JRE, an interpreter/loader, a compiler, an archiver, a documentation generator, and other tools needed for Java development.

Question 5: What is the JRE?
Hide Answer

Answer:

JRE (Java Runtime Environment) is a part of the JDK that provides the libraries, Java Virtual Machine, and other components to run applications written in Java.

Question 6: What are Java’s access modifiers?
Hide Answer

Answer:

Java has four access modifiers: private, default, protected, and public. They control the visibility of classes, methods, and variables.

Example Code:


public class MyClass { public int myVar; private void myMethod() { /* code here */ } }
Question 7: What is an object in Java?
Hide Answer

Answer:

An object is an instance of a class. It has state (attributes) and behavior (methods).

Example Code:


public class Car { private String color; public void drive() { System.out.println('Car is moving'); } } Car myCar = new Car();
Question 8: What is a class in Java?
Hide Answer

Answer:

A class is a blueprint for objects. It defines a type of object according to the attributes and methods that the object can have.

Example Code:


public class Car { private String color; public void drive() { System.out.println('Car is moving'); } }
Question 9: What is inheritance in Java?
Hide Answer

Answer:

Inheritance is a mechanism where a new class inherits the properties and behavior of an existing class. It promotes code reuse.

Example Code:


public class Animal { public void eat() { System.out.println('Animal is eating'); } } public class Dog extends Animal { public void bark() { System.out.println('Dog is barking'); } }
Question 10: What is polymorphism in Java?
Hide Answer

Answer:

Polymorphism allows methods to do different things based on the object it is acting upon. It is achieved through method overloading and method overriding.

Example Code:


public class Animal { public void makeSound() { System.out.println('Animal makes a sound'); } } public class Dog extends Animal { public void makeSound() { System.out.println('Dog barks'); } }
Question 11: What is encapsulation in Java?
Hide Answer

Answer:

Encapsulation is a principle of wrapping data (variables) and code (methods) together as a single unit. It restricts direct access to some of the object's components, which is a way of hiding the internal representation of the object.

Example Code:


public class MyClass { private int myVar; public int getMyVar() { return myVar; } public void setMyVar(int value) { myVar = value; } }
Question 12: What is abstraction in Java?
Hide Answer

Answer:

Abstraction is the concept of hiding the complex implementation details and showing only the essential features of the object. It is achieved using abstract classes and interfaces.

Example Code:


public abstract class Shape { public abstract void draw(); }
Question 13: What is a constructor in Java?
Hide Answer

Answer:

A constructor is a special method that is called when an object is instantiated. It initializes the object.

Example Code:


public class MyClass { private int myVar; public MyClass(int value) { myVar = value; } }
Question 14: What is method overloading in Java?
Hide Answer

Answer:

Method overloading is a feature that allows a class to have more than one method with the same name, as long as their parameter lists are different.

Example Code:


public class MyClass { public void myMethod(int x) { System.out.println(x); } public void myMethod(int x, int y) { System.out.println(x + y); } }
Question 15: What is method overriding in Java?
Hide Answer

Answer:

Method overriding occurs when a subclass provides a specific implementation of a method that is already defined in its superclass.

Example Code:


public class Animal { public void makeSound() { System.out.println('Animal makes a sound'); } } public class Dog extends Animal { public void makeSound() { System.out.println('Dog barks'); } }
Question 16: What is the difference between '=='' and 'equals()' in Java?
Hide Answer

Answer:

'==' is a reference comparison operator used to check if two references point to the same object. 'equals()' is a method used to compare the contents of two objects for equality.

Example Code:


String str1 = new String('Hello'); String str2 = new String('Hello'); System.out.println(str1 == str2); // false System.out.println(str1.equals(str2)); // true
Question 17: What is an interface in Java?
Hide Answer

Answer:

An interface in Java is a reference type, similar to a class, that can contain only constants, method signatures, default methods, static methods, and nested types. It is a way to achieve abstraction.

Question 18: What is an abstract class in Java?
Hide Answer

Answer:

An abstract class is a class that cannot be instantiated on its own and must be subclassed. It can contain both abstract methods (without implementation) and non-abstract methods (with implementation).

Example Code:


public abstract class Shape { public abstract void draw(); public void display() { System.out.println('Displaying shape'); } }
Question 19: What is a static method in Java?
Hide Answer

Answer:

A static method belongs to the class rather than instances of the class. It can be called without creating an instance of the class.

Question 20: What is a final keyword in Java?
Hide Answer

Answer:

The final keyword in Java is used to restrict the user. It can be applied to variables, methods, and classes. A final variable cannot be changed, a final method cannot be overridden, and a final class cannot be subclassed.

Example Code:


public final class MyClass { public final int myVar = 10; public final void myMethod() { /* code here */ } }
Question 21: What is the difference between an Array and an ArrayList in Java?
Hide Answer

Answer:

An Array is a fixed-size data structure that can hold elements of the same type. An ArrayList is a resizable array, which is part of the Java Collections Framework and can dynamically grow and shrink.

Example Code:


int[] arr = new int[5]; ArrayList<Integer> list = new ArrayList<Integer>();
Question 22: What is the 'this' keyword in Java?
Hide Answer

Answer:

The 'this' keyword in Java is a reference to the current object, used to differentiate between instance variables and parameters or to invoke other constructors in the same class.

Example Code:


public class MyClass { private int myVar; public MyClass(int myVar) { this.myVar = myVar; } }
Question 23: What is the 'super' keyword in Java?
Hide Answer

Answer:

The 'super' keyword in Java is a reference to the parent class object, used to access the parent class's fields, methods, and constructors.

Example Code:


public class Child extends Parent { public Child() { super(); } }
Question 24: What is exception handling in Java?
Hide Answer

Answer:

Exception handling is a mechanism to handle runtime errors, ensuring the normal flow of the application. It is implemented using try, catch, throw, throws, and finally blocks.

Question 25: What are checked and unchecked exceptions in Java?
Hide Answer

Answer:

Checked exceptions are exceptions that must be either caught or declared in the method signature. Unchecked exceptions are exceptions that are not checked at compile time, including RuntimeException and its subclasses.

Example Code:


public void myMethod() throws IOException { // code that may throw IOException }
Question 26: What is the difference between 'throw' and 'throws' in Java?
Hide Answer

Answer:

'throw' is used to explicitly throw an exception, while 'throws' is used in the method signature to declare that the method can throw specified exceptions.

Example Code:


public void myMethod() throws IOException { if (condition) { throw new IOException('Error'); } }
Question 27: What is a package in Java?
Hide Answer

Answer:

A package in Java is a namespace that organizes classes and interfaces, preventing naming conflicts and controlling access.

Example Code:


package com.example.myPackage; import com.example.myPackage.MyClass;
Question 28: What is a 'String' in Java?
Hide Answer

Answer:

A 'String' in Java is an immutable object that represents a sequence of characters. It is a class in the java.lang package.

Question 29: What are the different types of memory areas allocated by JVM?
Hide Answer

Answer:

JVM allocates memory in different areas, including Method Area, Heap, Stack, PC Registers, and Native Method Stack.

Question 30: What is garbage collection in Java?
Hide Answer

Answer:

Garbage collection in Java is the process of reclaiming the runtime unused memory automatically. The JVM manages the memory and eliminates the need for the programmer to manually deallocate memory.

Example Code:


System.gc();
Question 31: What is multithreading in Java?
Hide Answer

Answer:

Multithreading is a feature in Java that allows concurrent execution of two or more threads. It is used to maximize the utilization of CPU.

Question 32: What is the difference between a synchronized method and a synchronized block in Java?
Hide Answer

Answer:

A synchronized method locks the entire method for a particular object, whereas a synchronized block locks only a specific block of code within the method. Using synchronized blocks is more granular and can lead to better performance.

Question 33: What is the purpose of the transient keyword in Java?
Hide Answer

Answer:

The transient keyword in Java is used to indicate that a field should not be serialized. When an object is serialized, transient fields are ignored and not included in the serialized representation.

Example Code:


private transient int myVar;
Question 34: What is the volatile keyword in Java?
Hide Answer

Answer:

The volatile keyword in Java is used to indicate that a variable's value will be modified by different threads. It ensures visibility of changes to variables across threads, preventing threads from caching variables.

Example Code:


private volatile boolean running = true;
Question 35: What is the difference between wait() and sleep() in Java?
Hide Answer

Answer:

wait() is used to make the current thread release the lock and wait until another thread invokes notify() or notifyAll() on the same object. sleep() is used to pause the current thread for a specified period without releasing the lock.

Example Code:


synchronized (obj) { obj.wait(); } Thread.sleep(1000);
Question 36: What is the Java Memory Model (JMM)?
Hide Answer

Answer:

The Java Memory Model (JMM) defines how threads interact through memory and what behaviors are allowed in concurrent programming. It specifies rules for visibility, ordering, and atomicity of variables across threads.

Question 37: What is a ThreadLocal in Java?
Hide Answer

Answer:

ThreadLocal is a class in Java that provides thread-local variables. Each thread accessing such a variable has its own, independently initialized copy of the variable, allowing for safe usage without synchronization.

Example Code:


ThreadLocal<Integer> threadLocal = ThreadLocal.withInitial(() -> 0); threadLocal.set(42); int value = threadLocal.get();
Question 38: What is a daemon thread in Java?
Hide Answer

Answer:

A daemon thread in Java is a background thread that does not prevent the JVM from exiting when the program finishes. Daemon threads are used for tasks like garbage collection and background maintenance.

Example Code:


Thread daemonThread = new Thread(() -> { while (true) { /* do some background work */ } }); daemonThread.setDaemon(true); daemonThread.start();
Question 39: What are the differences between Serializable and Externalizable in Java?
Hide Answer

Answer:

Serializable is a marker interface that uses default serialization mechanism, while Externalizable allows custom serialization logic by implementing readExternal() and writeExternal() methods.

Example Code:


public class MyClass implements Serializable { /* code here */ } public class MyClass implements Externalizable { /* code here */ }
Question 40: What is the difference between Comparable and Comparator in Java?
Hide Answer

Answer:

Comparable is used to define the natural ordering of objects by implementing the compareTo() method. Comparator is used to define custom ordering of objects by implementing the compare() method.

Question 41: What is the difference between HashMap and Hashtable in Java?
Hide Answer

Answer:

HashMap is not synchronized and allows null keys and values, making it faster but not thread-safe. Hashtable is synchronized and does not allow null keys or values, making it slower but thread-safe.

Example Code:


HashMap<String, Integer> map = new HashMap<>(); Hashtable<String, Integer> table = new Hashtable<>();
Question 42: What is the Java Stream API?
Hide Answer

Answer:

The Java Stream API is a feature introduced in Java 8 that allows for functional-style operations on collections and sequences of data, such as map, filter, and reduce, promoting a more declarative programming approach.

Question 43: What is the Optional class in Java?
Hide Answer

Answer:

The Optional class in Java is a container object used to represent the presence or absence of a value. It helps to avoid null checks and NullPointerExceptions by providing methods to check and manipulate the contained value.

Example Code:


Optional<String> optional = Optional.of('value'); if (optional.isPresent()) { String value = optional.get(); }
Question 44: What is a lambda expression in Java?
Hide Answer

Answer:

A lambda expression in Java is a concise way to represent an anonymous function, which can be used to pass behavior as an argument to methods, particularly useful for functional programming with the Stream API.

Example Code:


List<Integer> list = Arrays.asList(1, 2, 3, 4, 5); list.forEach(n -> System.out.println(n));
Question 45: What is method reference in Java?
Hide Answer

Answer:

Method reference is a shorthand notation of a lambda expression to call a method. It is represented by :: and can be used for static methods, instance methods, and constructors.

Question 46: What is the difference between map() and flatMap() in Java Stream API?
Hide Answer

Answer:

map() transforms each element in the stream and returns a stream of those transformed elements. flatMap() transforms each element into a stream and flattens the resulting streams into a single stream.

Example Code:


List<List<Integer>> list = Arrays.asList(Arrays.asList(1, 2), Arrays.asList(3, 4)); List<Integer> flatList = list.stream().flatMap(Collection::stream).collect(Collectors.toList());
Question 47: What is the CompletableFuture class in Java?
Hide Answer

Answer:

CompletableFuture is a class introduced in Java 8 that represents a future result of an asynchronous computation. It provides methods to manually complete the future and handle the result or exceptions.

Example Code:


CompletableFuture<Integer> future = CompletableFuture.supplyAsync(() -> { /* computation */ }); Integer result = future.get();
Question 48: What is the Fork/Join Framework in Java?
Hide Answer

Answer:

The Fork/Join Framework in Java is used for parallel execution of tasks. It works by recursively breaking down a task into smaller sub-tasks, executing them in parallel, and combining their results.

Example Code:


ForkJoinPool pool = new ForkJoinPool(); pool.invoke(new MyRecursiveTask());
Question 49: What is the difference between ExecutorService and ForkJoinPool in Java?
Hide Answer

Answer:

ExecutorService is a higher-level replacement for a thread pool, suitable for managing a pool of threads for concurrent tasks. ForkJoinPool is specialized for working with the Fork/Join Framework for divide-and-conquer tasks.

Question 50: What is a CountDownLatch in Java?
Hide Answer

Answer:

CountDownLatch is a synchronization aid that allows one or more threads to wait until a set of operations being performed by other threads completes. It has a counter that is decremented each time a thread finishes, releasing waiting threads when it reaches zero.

Question 51: What is a CyclicBarrier in Java?
Hide Answer

Answer:

CyclicBarrier is a synchronization aid that allows a set of threads to wait for each other to reach a common barrier point. Once all threads reach the barrier, they can proceed.

Question 52: What is a Phaser in Java?
Hide Answer

Answer:

Phaser is a more flexible synchronization barrier that allows multiple threads to wait for each other at a common barrier point, supporting multiple phases and dynamic registration of parties.

Example Code:


Phaser phaser = new Phaser(); phaser.register(); phaser.arriveAndAwaitAdvance();
Question 53: What is the difference between a ReentrantLock and a synchronized block in Java?
Hide Answer

Answer:

ReentrantLock is a more advanced locking mechanism than synchronized blocks, providing additional features like lock polling, timed locks, and interruptible locks, with explicit lock and unlock control.

Question 54: What is the difference between Callable and Runnable in Java?
Hide Answer

Answer:

Callable is similar to Runnable but can return a result and throw a checked exception. Runnable does not return a result and cannot throw checked exceptions.

Question 55: What is the difference between Future and CompletableFuture in Java?
Hide Answer

Answer:

Future represents the result of an asynchronous computation and provides methods to check if the computation is complete, cancel it, and retrieve the result. CompletableFuture extends Future with additional methods for manual completion and chaining asynchronous operations.

Example Code:


Future<Integer> future = executor.submit(() -> { /* computation */ }); Integer result = future.get(); CompletableFuture<Integer> future = CompletableFuture.supplyAsync(() -> { /* computation */ }); Integer result = future.get();
Question 56: What is the Double Brace Initialization in Java?
Hide Answer

Answer:

Double Brace Initialization is a technique to initialize collections in Java using an anonymous inner class with an instance initializer. It simplifies syntax but creates an additional inner class, which can be less efficient and harder to read.

Example Code:


List<String> list = new ArrayList<String>() {{ add('A'); add('B'); }}; Set<Integer> set = new HashSet<Integer>() {{ add(1); add(2); }};
Question 57: What is the diamond operator in Java?
Hide Answer

Answer:

The diamond operator (<>) is used to simplify the syntax of generic instance creation by allowing the compiler to infer the type arguments, introduced in Java 7.

Example Code:


List<String> list = new ArrayList<>(); Map<Integer, String> map = new HashMap<>();
Question 58: What is a WeakReference in Java?
Hide Answer

Answer:

A WeakReference is a type of reference that does not prevent its referent from being reclaimed by the garbage collector. It is used to avoid memory leaks when caching objects.

Question 59: What is the difference between soft and weak references in Java?
Hide Answer

Answer:

Soft references are cleared at the discretion of the garbage collector in response to memory demand, while weak references are cleared as soon as the referent is only weakly reachable.

Question 60: What is a PhantomReference in Java?
Hide Answer

Answer:

A PhantomReference is used to schedule post-mortem cleanup actions after an object has been finalized. It always returns null for get() and must be used with a ReferenceQueue.

Example Code:


Object obj = new Object(); ReferenceQueue<Object> referenceQueue = new ReferenceQueue<>(); PhantomReference<Object> phantomRef = new PhantomReference<>(obj, referenceQueue);
Question 61: What is a Spliterator in Java?
Hide Answer

Answer:

A Spliterator is an interface in Java that can be used for traversing and partitioning elements of a source, similar to an Iterator, but with support for parallel processing introduced in Java 8.

Question 62: What is the Java Memory Model (JMM) and why is it important?
Hide Answer

Answer:

The Java Memory Model (JMM) specifies how the Java Virtual Machine works with computer memory, particularly in the context of multithreading. It defines the rules for reading and writing to memory variables, ensuring that changes in one thread are visible to others. This is crucial for developing concurrent applications.

Question 63: What are the differences between the Java heap and stack memory?
Hide Answer

Answer:

Heap memory is used for dynamic memory allocation where objects are allocated and managed by the garbage collector. Stack memory is used for static memory allocation where method-specific variables are stored. The stack is thread-safe as each thread has its own stack, while the heap is shared among all threads.

Question 64: How does the garbage collector work in Java?
Hide Answer

Answer:

The garbage collector in Java automatically reclaims memory by removing objects that are no longer reachable in the program. It uses various algorithms such as Mark-and-Sweep, Generational Garbage Collection, and the G1 Garbage Collector to efficiently manage memory.

Question 65: What are the differences between strong, weak, soft, and phantom references in Java?
Hide Answer

Answer:

Strong references prevent objects from being collected by the garbage collector. Weak references do not prevent garbage collection and are collected as soon as no strong references exist. Soft references are collected before an OutOfMemoryError occurs. Phantom references are collected after finalization and are used for cleanup tasks.

Example Code:


Object obj = new Object(); WeakReference<Object> weakRef = new WeakReference<>(obj); SoftReference<Object> softRef = new SoftReference<>(obj); PhantomReference<Object> phantomRef = new PhantomReference<>(obj, referenceQueue);
Question 66: What is a memory leak in Java and how can it be detected?
Hide Answer

Answer:

A memory leak in Java occurs when objects that are no longer needed are still referenced, preventing the garbage collector from reclaiming memory. It can be detected using profiling tools such as VisualVM, JProfiler, and memory analysis tools in IDEs.

Question 67: What is the significance of the 'finalize' method in Java?
Hide Answer

Answer:

The 'finalize' method is invoked by the garbage collector before an object is reclaimed. It is used to perform cleanup tasks, but its use is discouraged due to unpredictability and performance issues. Java 9 deprecated the finalize method.

Example Code:


@Override protected void finalize() throws Throwable { /* cleanup code */ super.finalize(); }
Question 68: What are the differences between the 'synchronized' keyword and the 'Lock' interface in Java?
Hide Answer

Answer:

The 'synchronized' keyword provides a simple way to achieve synchronization but lacks flexibility. The 'Lock' interface, introduced in java.util.concurrent.locks, offers more advanced synchronization mechanisms like timed and interruptible lock acquisition, and better performance in highly contended scenarios.

Question 69: What are the different types of class loaders in Java?
Hide Answer

Answer:

Java has several types of class loaders, including the Bootstrap ClassLoader, Extension ClassLoader, and Application ClassLoader. Custom class loaders can also be created to load classes from unconventional sources.

Question 70: What is the 'invokeLater' method in Swing and why is it used?
Hide Answer

Answer:

The 'invokeLater' method in Swing is used to ensure that updates to the GUI are performed on the Event Dispatch Thread (EDT). It schedules a Runnable to be executed on the EDT, maintaining thread safety in GUI applications.

Example Code:


SwingUtilities.invokeLater(() -> { /* update GUI components */ });
Question 71: What are the differences between JDBC Statement, PreparedStatement, and CallableStatement?
Hide Answer

Answer:

Statement is used for executing simple SQL queries without parameters. PreparedStatement is used for executing precompiled SQL queries with parameters, providing better performance and security. CallableStatement is used to execute stored procedures in the database.

Question 72: What is the Java NIO package and what are its main components?
Hide Answer

Answer:

The Java NIO (New I/O) package provides non-blocking I/O operations and improved performance for file and network I/O. Its main components include Channels, Buffers, Selectors, and Path API for efficient data handling.

Question 73: What is the difference between ByteBuffer and CharBuffer in Java NIO?
Hide Answer

Answer:

ByteBuffer is used for handling binary data, allowing manipulation of byte arrays. CharBuffer is used for handling character data, providing methods for reading and writing character sequences. Both are part of the java.nio package.

Question 74: What are the differences between FileChannel and FileInputStream/FileOutputStream in Java?
Hide Answer

Answer:

FileChannel is part of the java.nio package and provides advanced features like non-blocking I/O, memory-mapped files, and file locking. FileInputStream/FileOutputStream are part of the java.io package and provide basic blocking I/O operations.

Question 75: What is the purpose of the Fork/Join framework in Java?
Hide Answer

Answer:

The Fork/Join framework, introduced in Java 7, is designed for parallel processing by recursively splitting tasks into smaller sub-tasks (forking) and then combining the results (joining). It improves performance in multi-core systems.

Question 76: What is the difference between ForkJoinPool and ExecutorService in Java?
Hide Answer

Answer:

ForkJoinPool is specialized for divide-and-conquer tasks using the Fork/Join framework. ExecutorService is a higher-level interface for managing a pool of threads for concurrent tasks, providing more general-purpose concurrency management.

Question 77: What are the main differences between Java's concurrency utilities and traditional thread management?
Hide Answer

Answer:

Java's concurrency utilities (java.util.concurrent) provide high-level abstractions like ThreadPoolExecutor, ConcurrentHashMap, and CountDownLatch, simplifying complex concurrency patterns and improving performance compared to traditional thread management with Thread and synchronized blocks.

Question 78: What is a ReentrantLock and how does it differ from a synchronized block?
Hide Answer

Answer:

ReentrantLock is a flexible locking mechanism from java.util.concurrent.locks, providing additional features like timed and interruptible lock acquisition, and explicit lock/unlock control. Synchronized blocks offer simpler, implicit locking with less flexibility.

Example Code:


ReentrantLock lock = new ReentrantLock(); lock.lock(); try { /* critical section */ } finally { lock.unlock(); }
Question 79: What is a Phaser in Java and how is it used?
Hide Answer

Answer:

Phaser is a synchronization aid that allows threads to wait for each other at common barrier points. It supports multiple phases and dynamic registration of parties, making it more flexible than CyclicBarrier or CountDownLatch.

Question 80: What is the Java ForkJoinPool and how does it optimize parallel processing?
Hide Answer

Answer:

Java ForkJoinPool is designed for parallel processing using the Fork/Join framework. It optimizes parallel processing by work-stealing, where idle threads steal tasks from busy threads, balancing the load and improving performance.

Question 81: What is the purpose of the java.util.concurrent package?
Hide Answer

Answer:

The java.util.concurrent package provides high-level concurrency utilities, including thread pools, synchronization mechanisms, and concurrent collections, simplifying the development of concurrent and parallel applications with better performance and scalability.

Example Code:


ExecutorService executor = Executors.newFixedThreadPool(4); Future<Integer> future = executor.submit(() -> { /* computation */ });
Question 82: What is the difference between CyclicBarrier and CountDownLatch?
Hide Answer

Answer:

CyclicBarrier is a synchronization aid that allows a set of threads to wait at a common barrier point, resetting after all threads reach the barrier. CountDownLatch allows threads to wait until a count reaches zero, but it cannot be reset.

Question 83: What is the difference between Future and CompletableFuture?
Hide Answer

Answer:

Future represents the result of an asynchronous computation, providing methods to check if it's done and retrieve the result. CompletableFuture extends Future with additional methods for manual completion, chaining asynchronous operations, and combining multiple futures.

Question 84: What is a Spliterator in Java and how does it differ from an Iterator?
Hide Answer

Answer:

A Spliterator is an interface for traversing and partitioning elements of a source for parallel processing. It supports efficient parallel iteration and splitting, unlike an Iterator, which is only suitable for sequential iteration.

Question 85: What is a memory barrier in Java and how does it ensure memory visibility?
Hide Answer

Answer:

A memory barrier is a CPU instruction that ensures memory operations before the barrier are completed before operations after it begin. In Java, the volatile keyword and synchronized blocks act as memory barriers, ensuring visibility of changes across threads.

Question 86: What is the difference between Serializable and Externalizable interfaces in Java?
Hide Answer

Answer:

Serializable is a marker interface using default serialization, while Externalizable requires implementing readExternal() and writeExternal() methods for custom serialization. Externalizable offers more control over the serialization process.

Example Code:


public class MyClass implements Serializable { /* code here */ } public class MyClass implements Externalizable { /* code here */ }
Question 87: What is method handle in Java and how is it used?
Hide Answer

Answer:

Method handles, introduced in Java 7, are a low-level mechanism for method invocation, providing a flexible way to manipulate methods and constructors. They are used in the java.lang.invoke package for dynamic method invocation.

Question 88: What is the difference between direct and non-direct ByteBuffer?
Hide Answer

Answer:

Direct ByteBuffer allocates memory outside the JVM heap, allowing more efficient I/O operations by avoiding copying data between the JVM and native memory. Non-direct ByteBuffer allocates memory on the JVM heap, which may involve extra copying during I/O operations.

Example Code:


ByteBuffer directBuffer = ByteBuffer.allocateDirect(1024); ByteBuffer nonDirectBuffer = ByteBuffer.allocate(1024);
Question 89: What are varhandles in Java and how do they differ from field and array accesses?
Hide Answer

Answer:

VarHandles, introduced in Java 9, provide a mechanism to access fields and array elements with flexible and safe operations, similar to method handles. They offer fine-grained control over memory operations, including atomic and volatile access.

Question 90: What is the difference between functional interfaces and lambda expressions?
Hide Answer

Answer:

Functional interfaces are interfaces with a single abstract method, used as the target type for lambda expressions and method references. Lambda expressions provide a concise way to implement functional interfaces, representing instances of the interface.

Question 91: What is the purpose of the 'default' keyword in Java interfaces?
Hide Answer

Answer:

The 'default' keyword allows interfaces to have concrete methods, providing default implementations that can be overridden by implementing classes. It enables backward compatibility and code reuse without breaking existing implementations.

Example Code:


public interface MyInterface { default void myMethod() { /* default implementation */ } }