Java interview questions on arraylist

 Java Interview Questions on ArrayList

  • ArrayList is a core data structure of the Java Collections API. It combines the convenience of dynamic arrays with the power of the Collection Framework. 
  • For these reasons, it has become a favored interview topic to test candidates on their knowledge of data structures and performance under pressure. In this tutorial, we will provide detailed explanations of various ArrayList concepts. We'll classify questions and answers into sections based on difficulty level.

1. Basic Questions 

1: What is an ArrayList?

  • ArrayList is a resizable array implementation of the List interface.
  • It dynamically grows/shrinks as elements are added/removed.
  • Allows duplicate elements and maintains insertion order.

Code Example:

List<String> fruits = new ArrayList<>();
fruits.add("Apple");
fruits.add("Banana");

2: How does ArrayList differ from a standard array?

  • Arrays have fixed sizes; ArrayList is resizable.
  • Arrays support primitives (e.g., int[]); ArrayList only stores objects (but can use wrappers like Integer).
  • ArrayList provides built-in methods (add(),remove(), etc.) and implements the List interface.

3: What is the default initial capacity of an ArrayList?

  • Default capacity is 10. When exceeded, it grows by ~50% (e.g., 10 → 15 → 22, etc.).

2. Common Operations

4: How do you iterate over an ArrayList?

we can iterate over an ArrayList in four ways:

  1. For-loop:

    for (int i = 0; i < fruits.size(); i++) {
        System.out.println(fruits.get(i));
    }
    
  2. Enhanced For-loop:

    for (String fruit : fruits) {
        System.out.println(fruit);
    }
    
  3. Iterator:

    Iterator<String> it = fruits.iterator();
    while (it.hasNext()) {
        System.out.println(it.next());
    }
    
  4. Java 8+ forEach:

    fruits.forEach(System.out::println);
    

5: How do you convert an ArrayList to an array?

String[] fruitArray = fruits.toArray(new String[0]);

6: How do you remove duplicates from an ArrayList?

Answer: Use a Set to remove duplicates:

List<Integer> numbers = new ArrayList<>(Arrays.asList(1, 2, 2, 3));
Set<Integer> unique = new LinkedHashSet<>(numbers);
List<Integer> uniqueList = new ArrayList<>(unique);

3. Performance & Internals

7: What is the time complexity of common ArrayList operations?

  • get(int index): O(1) (direct index access).
  • add(E element): Amortized O(1) (adds to end; resizing is rare).
  • add(int index, E element): O(n) (shifts elements).
  • remove(int index): O(n) (shifts elements).

8: How does ArrayList handle resizing?

  • When the current capacity is exceeded, a new array is created with 1.5× the old capacity (e.g., 10 → 15).
  • Elements are copied to the new array using Arrays.copyOf().

4. Thread Safety

9: Is ArrayList thread-safe?

  • No. Concurrent modifications can cause ConcurrentModificationException.
  • For thread safety, use:
    • Collections.synchronizedList(new ArrayList<>()).
    • CopyOnWriteArrayList (thread-safe but costly for write-heavy operations).

10: What is a ConcurrentModificationException?

  • Occurs when a list is modified while being iterated.
  • Solution: Use Iterator.remove() or synchronize access.

5. Advanced Topics

11: How do you sort an ArrayList?

Use Collections.sort() or Java 8+ Comparator:

Collections.sort(numbers); // Ascending order
numbers.sort((a, b) -> b - a); // Descending order

12: How do you reverse an ArrayList?

Use Collections.reverse():

Collections.reverse(numbers);

13: What is the difference between ArrayList and LinkedList?

  • ArrayList: Backed by an array. Faster for random access (get()/set()).
  • LinkedList: Backed by nodes. Faster for frequent insertions/deletions.

6. Coding Challenges

14: Find the intersection of two ArrayLists.

Solution:

List<Integer> list1 = new ArrayList<>(Arrays.asList(1, 2, 3));
List<Integer> list2 = new ArrayList<>(Arrays.asList(2, 3, 4));
list1.retainAll(list2); // list1 becomes [2, 3]

15: Find the maximum element in an ArrayList.

Solution:

int max = Collections.max(numbers);

Or with Java 8+:

int max = numbers.stream().max(Integer::compare).get();

7. Best Practices

16: When should you use ArrayList?

Answer:

  • When you need frequent read access and infrequent insertions/deletions at the end.
  • Avoid using it for heavy insertions/deletions in the middle (use LinkedList instead).

17: How can you optimize ArrayList performance?

Answer:

  • Pre-size it: Use new ArrayList<>(initialCapacity) if you know the expected size.
  • Avoid frequent resizing: Estimate capacity upfront.

Further Reading


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 interview questions on spring boot rest API

Java interview questions on spring boot rest API

Java interview questions on spring boot rest API

1. REST

REST is an architectural style for networked applications with the following constraints:

  • Client-Server: Separates clients and servers for scalability.
  • Stateless: No client context is stored on the server between requests.
  • Cacheable: Responses must be cacheable for efficiency.
  • Uniform Interface: Standardized URIs, HTTP methods, and resource representations.
  • Layered System: Components operate independently in layers.
  • Code on Demand (optional): Allows downloading and executing code.

A common misconception is that REST is a software model, whereas it is an architectural style.

2. HTTP Methods

  • GET (Read)
  • POST (Create)
  • PUT (Replace)
  • DELETE (Remove)
  • PATCH (Partial update) → Used for updating specific fields rather than the whole object.

3. Idempotency

  • Idempotent methods: GET, PUT, DELETE (multiple requests result in the same outcome).
  • Non-idempotent methods: POST, PATCH (can cause changes with each request).
  • Example: PUT prevents duplicate side effects like charging a user twice for a service.

JAX-RS Annotations

4. Annotations

  • @Path("/resource") → Defines the URI path.
  • @GET, @POST → HTTP methods.
  • @Produces(MediaType.APPLICATION_JSON) → Specifies response format.
  • @Consumes(MediaType.APPLICATION_JSON) → Specifies request format.

5. Parameters

  • @PathParam → Extracts URL path segment (/users/{id} → id).
  • @QueryParam → Extracts URL query parameter (/users?name=John → name).
  • @FormParam → Extracts HTML form data.
  • @HeaderParam → Extracts HTTP header values.

6. Request Body

  • Use @RequestBody (Spring) or JAX-RS to deserialize JSON/XML into a Java object (e.g., User user).

Status Codes & Error Handling

7. Status Codes

  • 201 Created → Resource successfully created.
  • 400 Bad Request → Invalid input from the client.
  • 401 Unauthorized → Missing or failed authentication.
  • 404 Not Found → Resource does not exist.

8. Exception Handling

Create global exception handlers in @ControllerAdvice (Spring) to return standardized error responses:

@ExceptionHandler(ResourceNotFoundException.class)
public ResponseEntity handleNotFound() { ... }

Advanced Topics

9. HATEOAS

Hypermedia links guide clients in navigating resources.

Example:

{
  "order": { "id": 1 },
  "_links": {
    "self": "/orders/1",
    "payment": "/orders/1/payment"
  }
}

10. Pagination

Use page, size, and sort parameters. Returns a Spring Data Page with metadata:

@GetMapping("/users")
public Page<User> getUsers(Pageable pageable) { ... }

11. Caching

  • ETag → Helps check if content has changed.
  • Cache-Control → Example: max-age=3600 (cache for 1 hour).
  • Spring: Use @Cacheable or ResponseEntity with headers.

12. Security

Use Spring Security with OAuth2/JWT.

@EnableWebSecurity
public class SecurityConfig extends WebSecurityConfigurerAdapter { ... }

13. Versioning

  • URI-based: /v1/users (simpler but less RESTful).
  • Header-based: Accept: application/vnd.myapi.v1+json (cleaner URIs).

Frameworks & Tools

14. Spring Boot Controller

@RestController
@RequestMapping("/users")
public class UserController {
    @GetMapping
    public List<User> getUsers() { ... }
}

15. Testing

Use @SpringBootTest with TestRestTemplate or MockMvc:

mockMvc.perform(get("/users")).andExpect(status().isOk());

16. OpenAPI/Swagger

Add springdoc-openapi dependency in your build file. Annotate endpoints with @Operation and @ApiResponse.

Scenario-Based Answers

17. Library API Design

  • Resources: Book, Member
  • Endpoints:
    • GET /books → List books
    • POST /books → Add a new book (201 Created)
    • PUT /books/{id} → Update a book (200 OK)
    • DELETE /books/{id}→ Remove a book

18. 415 Error - Unsupported Media Type

Occurs when the client sends data in a format not specified in @Consumes. Example: The server expects JSON but the client sends XML.

19. Idempotent Payments

Use a unique client-generated header idempotency-key. The server checks if the key has been processed before to prevent duplicate payments.

20. Rate Limiting

Use Bucket4j with Spring Interceptors to limit requests per IP.


Java interview questions on strings

Java interview questions on strings

Strings in Java are immutable, meaning once they are created, their values cannot be changed. If you plan to modify text frequently, String should not be used, as it creates new objects instead of modifying existing ones. Instead,StringBuffer orStringBuilder should be used for efficient string manipulation.

For effective string handling, this guide provides an introduction to common Java string interview questions, covering topics from beginner to advanced levels with explanations and example code.

1. Basics of Strings in Java

1. What is a String in Java?

A String is a sequence of characters. In Java, strings are objects of the String class, which is part of the java.lang package. Strings are immutable, meaning their values cannot be changed once created.

Example:

String str = "Hello, World!";
2. How do you create a String in Java?

A string in Java can be created in two ways:

  1. String Literal: Created using double quotes.
  2. Using the new Keyword: Created using the new operator.

Example:

// Method 1: String Literal
String str1 = "Hello";

// Method 2: Using new Keyword
String str2 = new String("Hello");
3. What is the difference between String, StringBuilder, and StringBuffer?
  • String: Immutable and thread-safe.
  • StringBuilder: Mutable and not thread-safe.
  • StringBuffer: Mutable and thread-safe.

Example:

String str = "Hello";
StringBuilder sb = new StringBuilder("Hello");
StringBuffer sbf = new StringBuffer("Hello");
4. How do you find the length of a String?

Use the length() method of the String class.

Example:

String str = "Hello";
System.out.println(str.length()); // Output: 5

2. String Manipulation

5. How do you reverse a String in Java?

You can reverse a String using StringBuilder or by iterating through the characters.

Example:

// Using StringBuilder
String str = "Hello";
String reversed = new StringBuilder(str).reverse().toString();
System.out.println(reversed); // Output: olleH
6. How do you check if a String is a palindrome?

A palindrome is a string that reads the same forward and backward.

Example:

public static boolean isPalindrome(String str) {
    int left = 0;
    int right = str.length() - 1;
    while (left < right) {
        if (str.charAt(left) != str.charAt(right)) {
            return false;
        }
        left++;
        right--;
    }
    return true;
}
7. How do you remove whitespace from a String?

Use the replaceAll() method with a regular expression.

Example:

String str = " Hello, World! ";
String trimmed = str.replaceAll("\\s", "");
System.out.println(trimmed); // Output: Hello,World!

3. String Comparison

8. How do you compare two Strings in Java?

Use the equals() method for content comparison and == for reference comparison.

Example:

String str1 = "Hello";
String str2 = new String("Hello");
System.out.println(str1.equals(str2)); // Output: true (content comparison)
System.out.println(str1 == str2); // Output: false (reference comparison)
9. What is the difference between equals() and equalsIgnoreCase()?
  • equals(): Compares two strings for an exact content match.
  • equalsIgnoreCase(): Compares two strings ignoring case differences.

Example:

String str1 = "Hello";
String str2 = "hello";
System.out.println(str1.equals(str2)); // Output: false
System.out.println(str1.equalsIgnoreCase(str2)); // Output: true

4. String Conversion

10. How do you convert a String to an integer?

Use the Integer.parseInt() method.

Example:

String str = "123";
int num = Integer.parseInt(str);
System.out.println(num); // Output: 123
11. How do you convert an integer to a String?

Use theInteger.toString() method or concatenation with an empty string.

Example:

int num = 123;
String str1 = Integer.toString(num);
String str2 = "" + num;
System.out.println(str1); // Output: 123
System.out.println(str2); // Output: 123
12. How do you convert a String to a character array?

Use the toCharArray() method.

Example:

String str = "Hello";
char[] charArray = str.toCharArray();
for (char c : charArray) {
    System.out.println(c);
}

5. Advanced String Questions

13. How do you find the first non-repeated character in a String?

Use aLinkedHashMap to maintain the order of characters and count their occurrences.

Example:

import java.util.LinkedHashMap;
import java.util.Map;

public static char firstNonRepeatedChar(String str) {
    Map<Character, Integer> map = new LinkedHashMap<>();
    for (char c : str.toCharArray()) {
        map.put(c, map.getOrDefault(c, 0) + 1);
    }
    for (Map.Entry<Character, Integer> entry : map.entrySet()) {
        if (entry.getValue() == 1) {
            return entry.getKey();
        }
    }
    return '\0'; // No non-repeated character found
}
14. How do you count the number of words in a String?

Split the string by spaces and count the resulting array's length.

Example:

public static int countWords(String str) {
    if (str == null || str.isEmpty()) {
        return 0;
    }
    String[] words = str.split("\\s+");
    return words.length;
}


Arrays programming interview questions in Java for experienced

 Java Array Interview Questions for Experienced

Arrays are cornerstone of programming & understanding them thoroughly is key to excelling in technical interviews. 

Whether you're just starting out or are an experienced Java developer, it's crucial to be familiar with how arrays work in Java. In this guide, we'll walk through common Java array interview questions, from basic to advanced, complete with explanations and code examples.

  1. Basic Array Questions
  2. Array Manipulation Questions
  3. Searching and Sorting Questions
  4. Multidimensional Array Questions
  5. Advanced Array Questions
  6. Tips for Array Interviews

1. Basic Array Questions

1. What is an Array in Java?

An array in Java is a container object that holds a fixed number of values of a single type. Once created, the size of the array cannot be changed.

Example:

int[] numbers = new int[5]; // Array of 5 integers

2. How do you declare and initialize an array in Java?

You can declare and initialize arrays in several ways:

Example:

// Method 1: Declare and initialize separately
int[] numbers = new int[3];
numbers[0] = 1;
numbers[1] = 2;
numbers[2] = 3;

// Method 2: Declare and initialize in one line
int[] numbers = {1, 2, 3};

3. What is the default value of an array in Java?

  • For numeric types (e.g., int, double), the default value is 0.
  • For boolean, the default value is false.
  • For object types (e.g.,String), the default value is null.

Example:

int[] numbers = new int[3];
System.out.println(numbers[0]); // Output: 0

4. How do you find the length of an array?

Use the length property of the array.

Example:

int[] numbers = {1, 2, 3};
System.out.println(numbers.length); // Output: 3

2. Array Manipulation Questions

5. How do you reverse an array in Java?

Reversing an array can be done by swapping the elements from both ends towards the center.

Example:

public static void reverseArray(int[] arr) {
    int start = 0;
    int end = arr.length - 1;
    while (start < end) {
        int temp = arr[start];
        arr[start] = arr[end];
        arr[end] = temp;
        start++;
        end--;
    }
}

6. How do you find the largest and smallest element in an array?

To find the largest and smallest element, iterate through the array and keep track of the current minimum and maximum values.

Example:

public static void findMinMax(int[] arr) {
    int min = arr[0];
    int max = arr[0];
    for (int num : arr) {
        if (num < min) min = num;
        if (num > max) max = num;
    }
    System.out.println("Min: " + min + ", Max: " + max);
}

program 7. How do you remove duplicates from an array?

Use a HashSet to automatically remove duplicates, as it does not allow duplicate elements.

Example:

import java.util.HashSet;

public static int[] removeDuplicates(int[] arr) {
    HashSet<Integer> set = new HashSet<>();
    for (int num : arr) {
        set.add(num);
    }
    int[] result = new int[set.size()];
    int i = 0;
    for (int num : set) {
        result[i++] = num;
    }
    return result;
}

3. Searching and Sorting Questions

8. How do you search for an element in an array?

You can use linear search for unsorted arrays or binary search for sorted arrays.

Linear Search Example:

public static int linearSearch(int[] arr, int target) {
    for (int i = 0; i < arr.length; i++) {
        if (arr[i] == target) {
            return i;
        }
    }
    return -1; // Not found
}

Binary Search Example:

public static int binarySearch(int[] arr, int target) {
    int left = 0;
    int right = arr.length - 1;
    while (left <= right) {
        int mid = left + (right - left) / 2;
        if (arr[mid] == target) return mid;
        if (arr[mid] < target) left = mid + 1;
        else right = mid - 1;
    }
    return -1; // Not found
}

9. How do you sort an array in Java?

You can use the Arrays.sort() method, or implement different sorting algorithms such as Bubble Sort or Quick Sort.

Example:

import java.util.Arrays;

int[] numbers = {5, 2, 9, 1, 5};
Arrays.sort(numbers); // Sorts the array in ascending order

4. Multidimensional Array Questions

10. How do you declare and initialize a 2D array?

A 2D array is essentially an array of arrays. Here's how you declare and initialize one.

Example:

int[][] matrix = {
    {1, 2, 3},
    {4, 5, 6},
    {7, 8, 9}
};

program 11. How do you traverse a 2D array?

You can traverse a 2D array using nested loops for rows and columns.

Example:

for (int i = 0; i < matrix.length; i++) {
    for (int j = 0; j < matrix[i].length; j++) {
        System.out.print(matrix[i][j] + " ");
    }
    System.out.println();
}

5. Advanced Array Questions

program 12. How do you find the second largest element in an array?

You can find the second largest element by iterating through the array and keeping track of the two largest values.

Example:

public static int findSecondLargest(int[] arr) {
    int first = Integer.MIN_VALUE;
    int second = Integer.MIN_VALUE;
    for (int num : arr) {
        if (num > first) {
            second = first;
            first = num;
        } else if (num > second && num != first) {
            second = num;
        }
    }
    return second;
}

program 13. How do you find the missing number in an array of integers from 1 to N?

You can use the mathematical formula for the sum of the first N natural numbers and compare it to the actual sum of the elements in the array.

Example:

public static int findMissingNumber(int[] arr, int n) {
    int expectedSum = n * (n + 1) / 2;
    int actualSum = 0;
    for (int num : arr) {
        actualSum += num;
    }
    return expectedSum - actualSum;
}

Program 14. How do you find duplicate elements in an array?

Using a HashSet, you can detect duplicate elements by checking if a value already exists in the set.

Example:

import java.util.HashSet;

public static void findDuplicates(int[] arr) {
    HashSet<Integer> set = new HashSet<>();
    for (int num : arr) {
        if (!set.add(num)) {
            System.out.println("Duplicate: " + num);
        }
    }
}

6. Tips for Array Interviews

  1. Master the Basics: Be comfortable with array declaration, initialization, and traversal.
  2. Practice Common Problems: Focus on problems like searching, sorting, and removing duplicates.
  3. Optimize Your Code: Aim to improve both time and space complexity when solving problems.
  4. Test Edge Cases: Don't forget to consider edge cases like empty arrays or arrays with one element.

Arrays are  foundational concept in Java, and understanding them is crucial for performing well in technical interviews. By practicing the questions and code examples provided in this guide, you'll be well-prepared for any array-related challenge that comes your way. 

Arrays programming Interview questions in Java for freshers

Java Programming Interview Questions for freshers

  1. What is Java Array?
    It refers to a variable-size, ordered collection whose elements have the identical type.

  2. What are the types of Java arrays?
    Single-dimensional arrays (for example, of type int[] arr = new int[5]) and multi-dimensional arrays (e.g.,int[][] arr = new int[3][3].

  3. How do you initialize an array in Java?
    Use either int[] arr = {1, 2, 3, 4, 5}; (remember the semicolon) or int[] arr = new int[5];.

  4. What is the default value of an array in Java?
    Numeric types default to 0, boolean to false, and reference types such as an object's field value through a NULL pointer exception error.

  5. Is the size of an array in Java changeable after initialization?
    No! An array has no dynamic conversion and will always be the same from the day it is initialized until the end.

  6. What's the difference between Java array and ArrayList?

  7. How do you copy an array in Java?
    You can use System.arraycopy(), Arrays.copyOf(), or the clone() method.

  8. How do you sort an array in Java?
    Arrays.sort(array);

  9. How do you search for an element in an array?
    Use a loop or Arrays.binarySearch(array, key); for sorted arrays.

  10. How do you convert an array to an exact corresponding index in a List?
    Arrays.asList(array); A method that returns a fixed-size list backed by the array.

Java Interview Programming Questions

  1. Write a Java program to reverse a string.

    public class ReverseString {
      public static void main(String[] args) {
        String str = "Hello";
        String reversed = new StringBuilder(str).reverse().toString();
        System.out.println("Reversed String: " + reversed);
      }
    }
    
  2. Write a Java program to test a number for prime status.

    public class PrimeCheck {
      public static boolean isPrime(int num) {
        if (num <= 1) return false;
        for (int i = 2; i <= Math.sqrt(num); i++) {
          if (num % i == 0) return false;
        }
        return true;
      }
      public static void main(String[] args) {
        int number = 29;
        System.out.println(number + " is prime: " + isPrime(number));
      }
    }
    
  3. Write a Java program to find the largest number in an array.

    public class LargestElement {
      public static void main(String[] args) {
        int[] arr = {10, 20, 5, 8, 30};
        int max = arr[0];
        for (int num : arr) {
          if (num > max) {
            max = num;
          }
        }
        System.out.println("Largest Element: " + max);
      }
    }
    
  4. Write a Java program to delete duplicates from an array.

    import java.util.HashSet;
    import java.util.Arrays;
    public class RemoveDuplicates {
      public static void main(String[] args) {
        int[] arr = {1, 2, 3, 1, 2, 4, 5};
        HashSet<Integer> set = new HashSet<>();
        for (int num : arr) {
          set.add(num);
        }
        System.out.println("Array without duplicates: " + set);
      }
    }
    
  5. Write a Java program to find the missing number in an array of 1 to N.

    public class MissingNumber {
      public int findMissing(int[] arr, int n) {
        int sum = n * (n + 1) / 2;
        for (int num : arr) {
          sum -= num;
        }
        return sum;
      }
      public static void main(String[] args) {
        int[] arr = {1, 2, 4, 5, 6};
        int n = 6;
        System.out.println("Missing number: " + new MissingNumber().findMissing(arr, n));
      }
    }
    


Select Menu