linkedin-skill-assessments-quizzes

Java

Q1. Given the string “strawberries” saved in a variable called fruit, what would fruit.substring(2, 5) return?

Reasoning: The substring method accepts two arguments.

Q2. How can you achieve runtime polymorphism in Java?

Q3. Given the following definitions, which of these expressions will NOT evaluate to true?

boolean b1 = true, b2 = false; int i1 = 1, i2 = 2;

Reasoning: i2 && b1 are not allowed between int and boolean.

Q4. What is the output of this code?

class Main {
  public static void main (String[] args) {
    int array[] = {1, 2, 3, 4};
    for (int i = 0; i < array.size(); i++) {
       System.out.print(array[i]);
    }
  }
}

Reasoning: array.size() is invalid, to get the size or length of the array array.length can be used.

Q5. Which of the following can replace the CODE SNIPPET to make the code below print “Hello World”?

interface Interface1 {
    static void print() {
        System.out.print("Hello");
    }
}

interface Interface2 {
    static void print() {
        System.out.print("World!");
    }
}

Reference

Q6. What does the following code print?

String str = "abcde";
str.trim();
str.toUpperCase();
str.substring(3, 4);
System.out.println(str);

Reasoning: You should assign the result of trim back to the String variable. Otherwise, it is not going to work, because strings in Java are immutable.

Q7. What is the result of this code?

class Main {
    public static void main (String[] args){
        System.out.println(print(1));
    }
    static Exception print(int i){
        if (i>0) {
            return new Exception();
        } else {
            throw new RuntimeException();
        }
    }
}

Q8. Which class can compile given these declarations?

interface One {
    default void method() {
        System.out.println("One");
    }
}

interface Two {
    default void method () {
        System.out.println("One");
    }
}
class Three implements One, Two {
    public void method() {
        super.One.method();
    }
}
class Three implements One, Two {
    public void method() {
        One.method();
    }
}
class Three implements One, Two {
}
class Three implements One, Two {
    public void method() {
        One.super.method();
    }
}

Q9. What is the output of this code?

class Main {
    public static void main (String[] args) {
        List list = new ArrayList();
        list.add("hello");
        list.add(2);
        System.out.print(list.get(0) instanceof Object);
        System.out.print(list.get(1) instanceof Integer);
    }
}

Q10. Given the following two classes, what will be the output of the Main class?

package mypackage;
public class Math {
    public static int abs(int num){
        return num < 0 ? -num : num;
    }
}
package mypackage.elementary;
public class Math {
    public static int abs (int num) {
        return -num;
    }
}
import mypackage.Math;
import mypackage.elementary.*;

class Main {
    public static void main (String args[]){
        System.out.println(Math.abs(123));
    }
}

Explanation: The answer is “123”. The abs() method evaluates to the one inside mypackage.Math class, because the import statements of the form:

import packageName.subPackage.*

is Type-Import-on-Demand Declarations, which never causes any other declaration to be shadowed.

Q11. What is the result of this code?

class MainClass {
    final String message() {
        return "Hello!";
    }
}

class Main extends MainClass {
    public static void main(String[] args) {
        System.out.println(message());
    }

     String message() {
         return "World!";
     }
 }

Explanation: Compilation error at line 10 because of final methods cannot be overridden, and here message() is a final method, and also note that Non-static method message() cannot be referenced from a static context.

Q12. Given this code, which command will output “2”?

class Main {
    public static void main(String[] args) {
        System.out.println(args[2]);
    }
}

Q13. What is the output of this code?

class Main {
    public static void main(String[] args){
        int a = 123451234512345;
        System.out.println(a);
    }
}

Reasoning: The int type in Java can be used to represent any whole number from -2147483648 to 2147483647. Therefore, this code will not compile as the number assigned to ‘a’ is larger than the int type can hold.

Q14. What is the output of this code?

class Main {
    public static void main (String[] args) {
        String message = "Hello world!";
        String newMessage = message.substring(6, 12)
            + message.substring(12, 6);
        System.out.println(newMessage);
    }
}

Q15. How do you write a for-each loop that will iterate over ArrayList<Pencil>pencilCase?

Q16. What does this code print?

System.out.print("apple".compareTo("banana"));

Q17. You have an ArrayList of names that you want to sort alphabetically. Which approach would NOT work?

Reference

Q18. By implementing encapsulation, you cannot directly access the class’s _ properties unless you are writing code inside the class itself.

Q19. Which is the most up-to-date way to instantiate the current date?

Explanation: LocalDate is the newest class added in Java 8

Q20. Fill in the blank to create a piece of code that will tell whether int0 is divisible by 5:

boolean isDivisibleBy5 = _____

Q21. How many times will this code print “Hello World!”?

class Main {
    public static void main(String[] args){
        for (int i=0; i<10; i=i++){
            i+=1;
            System.out.println("Hello World!");
        }
    }
}

Explanation: Observe the loop increment. It’s not an increment, it’s an assignment(post).

Q22. The runtime system starts your program by calling which function first?

Q23. What code would you use in Constructor A to call Constructor B?

public class Jedi {
  /* Constructor A */
  Jedi(String name, String species){}

  /* Constructor B */
  Jedi(String name, String species, boolean followsTheDarkSide){}
}

Note: This code won’t compile, possibly a broken code sample.

Reference

Q24. “An anonymous class requires a zero-argument constructor.” that’s not true?

Q25. What will this program print out to the console when executed?

import java.util.LinkedList;

public class Main {
    public static void main(String[] args){
        LinkedList<Integer> list = new LinkedList<>();
        list.add(5);
        list.add(1);
        list.add(10);
        System.out.println(list);
    }
}

Q26. What is the output of this code?

class Main {
    public static void main(String[] args){
       String message = "Hello";
       for (int i = 0; i<message.length(); i++){
          System.out.print(message.charAt(i+1));
       }
    }
}

Q27. Object-oriented programming is a style of programming where you organize your program around _ and data, rather than _ and logic.

Q28. What statement returns true if “nifty” is of type String?

Q29. What is the output of this code?

import java.util.*;
class Main {
    public static void main(String[] args) {
        List<Boolean> list = new ArrayList<>();
        list.add(true);
        list.add(Boolean.parseBoolean("FalSe"));
        list.add(Boolean.TRUE);
        System.out.print(list.size());
        System.out.print(list.get(1) instanceof Boolean);
    }
}

Q30. What is the result of this code?

class Main {
    Object message() {
        return "Hello!";
    }
    public static void main(String[] args) {
        System.out.print(new Main().message());
        System.out.print(new Main2().message());
    }
}
class Main2 extends Main {
    String message() {
        return "World!";
    }
}

Q31. What method can be used to create a new instance of an object?

Q32. Which is the most reliable expression for testing whether the values of two string variables are the same?

Q33. Which letters will print when this code is run?

public static void main(String[] args) {
    try {
        System.out.println("A");
        badMethod();
        System.out.println("B");
    } catch (Exception ex) {
        System.out.println("C");
    } finally {
        System.out.println("D");
    }
}
public static void badMethod() {
    throw new Error();
}

Explanation: Error is not inherited from Exception.

Q34. What is the output of this code?

class Main {
    static int count = 0;
    public static void main(String[] args) {
        if (count < 3) {
            count++;
            main(null);
        } else {
            return;
        }
        System.out.println("Hello World!");
    }
}

Q35. What is the output of this code?

import java.util.*;
class Main {
    public static void main(String[] args) {
        String[] array = {"abc", "2", "10", "0"};
        List<String> list = Arrays.asList(array);
        Collections.sort(list);
        System.out.println(Arrays.toString(array));
    }
}

Explanation: The java.util.Arrays.asList(T... a) returns a fixed-size list backed by the specified array. (Changes to the returned list “write through” to the array.)

Q36. What is the output of this code?

class Main {
    public static void main(String[] args) {
        String message = "Hello";
        print(message);
        message += "World!";
        print(message);
    }
    static void print(String message) {
        System.out.print(message);
        message += " ";
    }
}

Q37. What is displayed when this code is compiled and executed?

public class Main {
    public static void main(String[] args) {
        int x = 5;
        x = 10;
        System.out.println(x);
    }
}

Q38. Which approach cannot be used to iterate over a List named theList?

for (int i = 0; i < theList.size(); i++) {
    System.out.println(theList.get(i));
}
for (Object object : theList) {
    System.out.println(object);
}
Iterator it = theList.iterator();
for (it.hasNext()) {
    System.out.println(it.next());
}
theList.forEach(System.out::println);

Explanation: for (it.hasNext()) should be while (it.hasNext()).

Q39. What method signature will work with this code?

boolean healthyOrNot = isHealthy("avocado");

Q40. Which are valid keywords in a Java module descriptor (module-info.java)?

Q41. Which type of variable keeps a constant value once it is assigned?

Q42. How does the keyword volatile affect how a variable is handled?

Q43. What is the result of this code?

char smooch = 'x';
System.out.println((int) smooch);

Q44. You get a NullPointerException. What is the most likely cause?

Q45. How would you fix this code so that it compiles?

public class Nosey {
    int age;
    public static void main(String[] args) {
        System.out.println("Your age is: " + age);
    }
}

Q46. Add a Duck called “Waddles” to the ArrayList ducks.

public class Duck {
    private String name;
    Duck(String name) {}
}

Q47. If you encounter UnsupportedClassVersionError it means the code was ___ on a newer version of Java than the JRE ___ it.

Q48. Given this class, how would you make the code compile?

public class TheClass {
    private final int x;
}
public TheClass() {
    x += 77;
}
public TheClass() {
    x = null;
}
public TheClass() {
    x = 77;
}
private void setX(int x) {
    this.x = x;
}
public TheClass() {
    setX(77);
}

Explanation: final class members are allowed to be assigned only in three places: declaration, constructor, or an instance-initializer block.

Q49. How many times f will be printed?

public class Solution {
    public static void main(String[] args) {
        for (int i = 44; i > 40; i--) {
            System.out.println("f");
        }
    }
}

Q50. Which statements about abstract classes are true?

1. They can be instantiated.
2. They allow member variables and methods to be inherited by subclasses.
3. They can contain constructors.

Q51. Which keyword lets you call the constructor of a parent class?

Q52. What is the result of this code?

  1: int a = 1;
  2: int b = 0;
  3: int c = a/b;
  4: System.out.println(c);

Q53. Normally, to access a static member of a class such as Math.PI, you would need to specify the class “Math”. What would be the best way to allow you to use simply “PI” in your code?

Q54. Which keyword lets you use an interface?

Q55. Why are ArrayLists better than arrays?

Q56. Declare a variable that holds the first four digits of Π

Reasoning:

public class TestReal {
    public static void main (String[] argv)
    {
      double pi = 3.14159265;       //accuracy up to 15 digits
      float pi2 = 3.141F;           //accuracy up to 6-7 digits

      System.out.println ("Pi=" + pi);
      System.out.println ("Pi2=" + pi2);
    }
  }
The default Java type which Java will be used for a float variable will be double.
So, even if you declare any variable as float, what the compiler has to do is assign a double value to a float variable,
which is not possible. So, to tell the compiler to treat this value as a float, that 'F' is used.

Q57. Use the magic power to cast a spell

public class MagicPower {
    void castSpell(String spell) {}
}

Reference

Q58. What language construct serves as a blueprint containing an object’s properties and functionality?

Q59. What does this code print?

public static void main(String[] args) {
    int x=5,y=10;
    swapsies(x,y);
    System.out.println(x+" "+y);
}

static void swapsies(int a, int b) {
    int temp=a;
    a=b;
    b=temp;
}

Q60. What is the result of this code?

try {
    System.out.println("Hello World");
} catch (Exception e) {
    System.out.println("e");
} catch (ArithmeticException e) {
    System.out.println("e");
} finally {
    System.out.println("!");
}

Q61. Which is not a Java keyword

Explanation: native is a part of the JNI interface.

Q62. Which operator would you use to find the remainder after division?

Reference

Q63. Which choice is a disadvantage of inheritance?

Reference

Q64. How would you declare and initialize an array of 10 ints?

Q65. Refactor this event handler to a lambda expression:

groucyButton.addActionListener(new ActionListener() {
    @Override
    public void actionPerformed(ActionEvent e) {
        System.out.println("Press me one more time..");
    }
});

Reference

Q66. Which functional interfaces does Java provide to serve as data types for lambda expressions?

Reference

Q67. What is a valid use of the hashCode() method?

Reference

Q68. What kind of relationship does “extends” denote?

Reference

Q69. How do you force an object to be garbage collected?

Reference

Q70. Java programmers commonly use design patterns. Some examples are the _, which helps create instances of a class, the _, which ensures that only one instance of a class can be created; and the _, which allows for a group of algorithms to be interchangeable.

Q71. Using Java’s Reflection API, you can use _ to get the name of a class and _ to retrieve an array of its methods.

Q72. Which is not a valid lambda expression?

Q73. Which access modifier makes variables and methods visible only in the class where they are declared?

Q74. What type of variable can be assigned only once?

Q75. How would you convert a String to an Int?

Q76. What method should be added to the Duck class to print the name Moby?

public class Duck {
    private String name;

    Duck(String name) {
        this.name = name;
    }

    public static void main(String[] args) {
        System.out.println(new Duck("Moby"));
    }
}

Q77. Which operator is used to concatenate Strings in Java

Reference

Q78. How many times does this loop print “exterminate”?

for (int i = 44; i > 40; i--) {
    System.out.println("exterminate");
}

Q79. What is the value of myCharacter after line 3 is run?

public class Main {
  public static void main (String[] args) {
    char myCharacter = "piper".charAt(3);
  }
}

Q80. When should you use a static method?

Q81. What phrase indicates that a function receives a copy of each argument passed to it rather than a reference to the objects themselves?

Q82. In Java, what is the scope of a method’s argument or parameter?

Q83. What is the output of this code?

public class Main {
  public static void main (String[] args) {
    int[] sampleNumbers = {8, 5, 3, 1};
    System.out.println(sampleNumbers[2]);
  }
}

Q84. Which change will make this code compile successfully?

public class Main {
  String MESSAGE ="Hello!";
  static void print(){
    System.out.println(message);
  }
  void print2(){}
}

Explanation: Changing line 2 to public static final String message raises the error message not initialized in the default constructor.

Q85. What is the output of this code?

import java.util.*;
class Main {
  public static void main(String[] args) {
    String[] array = new String[]{"A", "B", "C"};
    List<String> list1 = Arrays.asList(array);
    List<String> list2 = new ArrayList<>(Arrays.asList(array));
    List<String> list3 = new ArrayList<>(Arrays.asList("A", new String("B"), "C"));
    System.out.print(list1.equals(list2));
    System.out.print(list1.equals(list3));
  }
}

Q86. Which code snippet is valid?

Q87. What is the output of this code?

class Main {
  public static void main(String[] args) {
    StringBuilder sb = new StringBuilder("hello");
    sb.deleteCharAt(0).insert(0, "H").append(" World!");
    System.out.println(sb);
  }
}

Q88. How would you use the TaxCalculator to determine the amount of tax on $50?

class TaxCalculator {
  static calculate(total) {
    return total * .05;
  }
}

Note: This code won’t compile, broken code sample.

  1. Reference
  2. Code sample

Q89. Which characteristic does not apply to instances of java.util.HashSet?

Explanation: HashSet makes no guarantees as to the iteration order of the set; in particular, it does not guarantee that the order will remain constant over time.

Reference

Q90. What is the output?

import java.util.*;

public class Main {
    public static void main(String[] args)
    {
        PriorityQueue<Integer> queue = new PriorityQueue<>();
        queue.add(4);
        queue.add(3);
        queue.add(2);
        queue.add(1);

        while (queue.isEmpty() == false) {
            System.out.printf("%d", queue.remove());
        }
    }
}

Q91. What will this code print, assuming it is inside the main method of a class?

System.out.println("hello my friends".split(" ")[0]);

Q92. You have an instance of type Map<String, Integer> named instruments containing the following key-value pairs: guitar=1200, cello=3000, and drum=2000. If you add the new key-value pair cello=4500 to the Map using the put method, how many elements do you have in the Map when you call instruments.size()?

Q93. Which class acts as the root class for the Java Exception hierarchy?

Q94. Which class does not implement the java.util.Collection interface?

Explanation: HashMap class implements Map interface.

Q95. You have a variable of named employees of type List<Employee> containing multiple entries. The Employee type has a method getName() that returns the employee name. Which statement properly extracts a list of employee names?

Q96. This code does not compile. What needs to be changed so that it does?

public enum Direction {
    EAST("E"),
    WEST("W"),
    NORTH("N"),
    SOUTH("S");

    private final String shortCode;

    public String getShortCode() {
        return shortCode;
    }
}

Q97. Which language feature ensures that objects implementing the AutoCloseable interface are closed when it completes?

Q98. What code should go in line 3?

class Main {
    public static void main(String[] args) {
        array[0] = new int[]{1, 2, 3};
        array[1] = new int[]{4, 5, 6};
        array[2] = new int[]{7, 8, 9};
        for (int i = 0; i < 3; i++)
            System.out.print(array[i][1]); //prints 258
    }
 }

Q99. Is this an example of method overloading or overriding?

class Car {
    public void accelerate() {}
}
class Lambo extends Car {
    public void accelerate(int speedLimit) {}
    public void accelerate() {}
}

Q100. Which choice is the best data type for working with money in Java?

Reference

Q101. Which statement about constructors is not true?

Q102. What language feature allows types to be parameters on classes, interfaces, and methods in order to reuse the same code for different data types?

Q103. What will be printed?

public class Berries{

    String berry = "blue";

    public static void main(String[] args) {
        new Berries().juicy("straw");
    }
    void juicy(String berry){
        this.berry = "rasp";
        System.out.println(berry + "berry");
    }
}

Q104. What is the value of forestCount after this code executes?

Map<String, Integer> forestSpecies = new HashMap<>();

forestSpecies.put("Amazon", 30000);
forestSpecies.put("Congo", 10000);
forestSpecies.put("Daintree", 15000);
forestSpecies.put("Amazon", 40000);

int forestCount = forestSpecies.size();

Q105. What is the problem with this code?

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


class Main {

    public static void main(String[] args) {
        List<String> list = new ArrayList<String>(Arrays.asList("a", "b", "c"));
        for(String value :list) {
            if(value.equals("a")) {
                list.remove(value);
            }
        }
        System.out.println(list); // outputs [b,c]
    }
}

Q106. How do you convert this method into a lambda expression?

public int square(int x) {
    return x * x;
}

Q107. Which choice is a valid implementation of this interface?

interface MyInterface {
    int foo(int x);
}
public class MyClass implements MyInterface {
    // ....
    public void foo(int x){
        System.out.println(x);
    }
}
public class MyClass implements MyInterface {
    // ....
    public double foo(int x){
        return x * 100;
    }
}
public class MyClass implements MyInterface {
    // ....
    public int foo(int x){
        return x * 100;
    }
}
public class MyClass implements MyInterface {
    // ....
    public int foo(){
        return 100;
    }
}

Q108. What is the result of this program?

interface Foo {
    int x = 10;
}

public class Main{

    public static void main(String[] args) {
        Foo.x = 20;
        System.out.println(Foo.x);
    }
}

Q109. Which statement must be inserted on line 1 to print the value true?

1:
2: Optional<String> opt = Optional.of(val);
3: System.out.println(opt.isPresent());

Q110. What will this code print, assuming it is inside the main method of a class?

System.out.println(true && false || true);
System.out.println(false || false && true);

Q111. What will this code print?

List<String> list1 = new ArrayList<>();
list1.add("One");
list1.add("Two");
list1.add("Three");

List<String> list2 = new ArrayList<>();
list2.add("Two");

list1.remove(list2);
System.out.println(list1);

Q112. Which code checks whether the characters in two Strings,named time and money, are the same?

Q113. An _ is a serious issue thrown by the JVM that the JVM is unlikely to recover from. An _ is an unexpected event that an application may be able to deal with to continue execution.

Q114. Which keyword would not be allowed here?

class Unicorn {
    _____ Unicorn(){}
}

Q115. Which OOP concept is this code an example of?

List[] myLists = {
    new ArrayList<>(),
    new LinkedList<>(),
    new Stack<>(),
    new Vector<>(),
};

for (List list : myLists){
    list.clear();
}

Explanation: Switch between different implementations of the List interface.

Q116. What does this code print?

String a = "bikini";
String b = new String("bikini");
String c = new String("bikini");

System.out.println(a == b);
System.out.println(b == c);

Explanation: == operator compares the object reference. String a = "bikini"; String b = "bikini"; would result in True. Here new creates a new object, so false. Use equals() method to compare the content.

Q117. What keyword is added to a method declaration to ensure that two threads do not simultaneously execute it on the same object instance?

Reference

Q118. Which is a valid type for this lambda function?

_____ oddOrEven = x -> {
    return x % 2 == 0 ? "even" : "odd";
};

Explaination, Reference

Q119. What is displayed when this code is compiled and executed?

import java.util.HashMap;

public class Main {
    public static void main(String[] args) {
        HashMap<String, Integer> pantry = new HashMap<>();

        pantry.put("Apples", 3);
        pantry.put("Oranges", 2);

        int currentApples = pantry.get("Apples");
        pantry.put("Apples", currentApples + 4);

        System.out.println(pantry.get("Apples"));
    }
}

Explanation

Q120. What variable type should be declared for capitalization?

List<String> songTitles = Arrays.asList("humble", "element", "dna");
_______ capitalize = (str) -> str.toUpperCase();
songTitles.stream().map(capitalize).forEach(System.out::println);

Explanation, Reference

Q121. Which is the correct return type for the processFunction method?

_____ processFunction(Integer number, Function<Integer, String> lambda) {
    return lambda.apply(number);
}

Explanation

Q122. What function could you use to replace slashes for dashes in a list of dates?

List<String> dates = new ArrayList<String>();
// missing code
dates.replaceAll(replaceSlashes);

Explanation: replaceAll method for any List only accepts UnaryOperator to pass every single element into it then put the result into the List again.

Q123. From which class do all other classes implicitly extend?

Explanation

Q124. How do you create and run a Thread for this class?

import java.util.date;

public class CurrentDateRunnable implements Runnable {
    @Override
    public void run () {
        while (true) {
            System.out.println("Current date: " + new Date());

            try {
                Thread.sleep(5000);
            } catch (InterruptedException e) {
                throw new RuntimeException(e);
            }
        }
    }
}

Reference

Q125. Which expression is a functional equivalent?

List<Integer> numbers = List.of(1,2,3,4);
int total = 0;

for (Integer x : numbers) {
    if (x % 2 == 0)
    total += x * x;
}
int total = numbers.stream()
                        .transform(x -> x * x)
                        .filter(x -> x % 2 == 0)
                        .sum ();
int total = numbers.stream()
                        .filter(x -> x % 2 == 0)
                        .collect(Collectors.toInt());
int total = numbers.stream()
                        .mapToInt (x -> {if (x % 2 == 0) return x * x;})
                        .sum();
int total = numbers.stream()
                        .filter(x -> x % 2 == 0)
                        .mapToInt(x -> x * x)
                        .sum();

Explanation: The given code in the question will give you the output 20 as total:

numbers                         // Input `List<Integer>` > [1, 2, 3, 4]
    .stream()                   // Converts input into `Stream<Integer>`
    .filter(x -> x % 2 == 0)    // Filter even numbers and return `Stream<Integer>` > [2, 4]
    .mapToInt(x -> x * x)       // Square the number, converts `Integer` to an `int`, and returns `IntStream` > [4, 16]
    .sum()                      // Returns the sum as `int` > 20

Q126. Which is not one of the standard input/output streams provided by java.lang.System?

Reference

Q127. The compiler is complaining about this assignment of the variable pickle to the variable jar. How would you fix this?

double pickle = 2;
int jar = pickle;

Reference

Q128. What value should x have to make this loop execute 10 times?

for(int i=0; i<30; i+=x) {}

Q129. The _ runs compiled Java code, while the _ compiles Java files.

Reference

Q130. Which packages are part of Java Standard Edition

Reference

Q131. What values for x and y will cause this code to print “btc”?

String buy = "bitcoin";
System.out.println(buy.substring(x, x+1) + buy.substring(y, y+2))

Q132. Which keyword would you add to make this method the entry point of the program?

public class Main {
    public static void main(String[] args) {
        // Your program logic here
    }
}

Reference To make the main method the entry point of the program in Java, we need to use the static keyword. So, the correct answer is: static The main method must be declared as public static void main(String[] args) to serve as the entry point for a Java program

Q133. You have a list of Bunny objects that you want to sort by weight using Collections.sort. What modification would you make to the Bunny class?

//This is how the original bunny class looks
class Bunny{
    String name;
    int weight;

    Bunny(String name){
        this.name = name;
    }
    public static void main(String args[]){
        Bunny bunny = new Bunny("Bunny 1");
    }
}

Reference

Q134. Identify the incorrect Java feature.

Reference

Q135. What is the output of this code?

int yearsMarried = 2;
switch (yearsMarried) {
   case 1:
      System.out.println("paper");
   case 2:
      System.out.println("cotton");
   case 3:
      System.out.println("leather");
   default:
      System.out.println("I don't gotta buy gifts for nobody!");
}

Reference

Q136. What language features do these expressions demonstrate?

System.out::println
Doggie::fetch

Reference

Q137. What is the difference between the wait() and sleep() methods?

Reference

Q138. Which is the right way to declare an enumeration of cats?

Q139. What happens when this code is run?

List<String> horses = new ArrayList<String>();
horses.add (" Sea Biscuit ");
System.out.println(horses.get(1).trim());

Q140. Which data structure would you choose to associate the amount of rainfall with each month?

Explanation:

from @yktsang01 in #3915 thread

Map because the map is a key/value pair without creating new classes/objects. So can store the rainfall per month like Map<java.time.Month, Double>. The other options will most likely need some new class to be meaningful:

public class Rainfall {
    private java.time.Month month;
    private double rainfall;
}
Vector<Rainfall>
LinkedList<Rainfall>
Queue<Rainfall>

Q141. Among the following which contains date information?

Q142. What is the size of float and double in Java?

Q143. When you pass an object reference as an argument to a method call what gets passed?

Q144. Which choice demonstrates a valid way to create a reference to a static function of another class?

Q145. What is UNICODE?

Q146. What kind of thread is the Garbage collector thread?

Q147. What is HashMap and Map?

Q148. What invokes a thread’s run() method?

Explanation: After a thread is started, via its start() method of the Thread class, the JVM invokes the thread’s run() method when the thread is initially executed.

Q149. What is true about a final class?

Explanation: Final classes are created so the methods implemented by that class cannot be overridden. It can’t be inherited. These classes are declared final.

Q150. Which method can be used to find the highest value of x and y?

Q151. void accept(T t) is method of which Java functional interface?

Q152. Which of these does Stream filter() operate on?

Q153. Which of these does Stream map() operates on?

Q154. What code is needed at line 8?

1: class Main {
2:      public static void main(String[] args) {
3:          Map<String, Integer> map = new HashMap<>();
4:          map.put("a", 1);
5:          map.put("b", 2);
6:          map.put("c", 3);
7:          int result = 0;
8:
9:              result += entry.getValue();
10:         }
11:         System.out.println(result); // outputs 6
12:     }
13: }

Q155. What will print when Lambo is instantiated?

class Car {
    String color = "blue";
}

class Lambo extends Car {
    String color = "white";

    public Lambo() {
        System.out.println(super.color);
        System.out.println(this.color);
        System.out.println(color);
    }
}

Q156. Which command will run a FrogSounds app that someone emailed to you as a jar?

Q157. What is the default value of a short variable?

Q158. What will be the output of the following Java program?

class variable_scope {
    public static void main(String args[]) {
        int x;
        x = 5;
        {
            int y = 6;
            System.out.print(x + " " + y);
        }
        System.out.println(x + " " + y);
    }
}

Explanation: Scope of variable Y is limited.

Q159. Subclasses of an abstract class are created using the keyword _.

Reference

Q160. What will be the output of the following program?

import java.util.Formatter;
public class Course {
    public static void main(String[] args) {
        Formatter data = new Formatter();
        data.format("course %s", "java ");
        System.out.println(data);
        data.format("tutorial %s", "Merit campus");
        System.out.println(data);
    }
}

Q161. Calculate the time complexity of the following program.

 void printUnorderedPairs(int[] arrayA, int[] arrayB){
    for(int i = 0; i < arrayA.length; i++){
        for(int  j = 0; j < arrayB.length; j++){
            if(arrayA[i] < arrayB[j]){
                System.out.println(arrayA[i] + "," + arrayB[j]);
            }
        }
    }
 }

Q162. What do these expressions evaluate?

1. true && false
2. true && false || true

Reference //check page number 47 and example number 4.:-}

Q163. What allows the programmer to destroy an object x?

Reference //No, the Garbage Collection can not be forced explicitly. We may request JVM for garbage collection by calling System.gc() method. But This does not guarantee that JVM will perform the garbage collection

Q164. How many objects are eligible for garbage collection till flag

public class Test
{
    public static void main(String [] args)
    {
        Test obj1 = new Test();
        Test obj2 = m1(obj1);
        Test obj4 = new Test();
        obj2 = obj4;               //Flag
        doComplexStuff();
    }
    static Test m1(Test mx)
    {
        mx = new Test();
        return mx;
    }
}

Reference // question no 5.

Q165. Which interface definition allows this code to compile

int length = 5;
Square square = x -> x*x;
int a = square.calculate(length);
@FunctionalInterface
public interface Square {
    void calculate(int x);
}
@FunctionalInterface
public interface Square {
    int calculate(int x);
}
@FunctionalInterface
public interface Square {
    int calculate(int... x);
}
@FunctionalInterface
public interface Square {
    void calculate(int x, int y);
}

Reference

Q166. Which of the following represents the time complexity of an algorithm?

Reasoning: The answer option ‘O(AB)’ should be corrected to ‘O(A*B)’ to accurately represent the time complexity.

The original answer option 'O(AB)' is incorrect as it does not properly represent a known time complexity notation. The correct notation should be 'O(A*B)' to indicate quadratic time complexity.

Reference

Q167. Calculate the space complexity of the following program.

void createArray(int n) {
    int[] arr = new int[n];
    for (int i = 0; i < n; i++) {
        arr[i] = i * 2;
    }
}

//In this program, an array of size n is created. The space complexity is determined by the size of the dynamic array, which is n. Therefore, the space complexity is O(N).

Q167. What will be the output of the following Java code?

    import java.util.*;
    public class genericstack <E>
    {
        Stack <E> stk = new Stack <E>();
    public void push(E obj)
        {
            stk.push(obj);
    }
    public E pop()
        {
            E obj = stk.pop();
        return obj;
    }
    }
    class Output
    {
        public static void main(String args[])
        {
            genericstack <String> gs = new genericstack<String>();
            gs.push("Hello");
            System.out.println(gs.pop());
        }
    }

//In this program, The code defines a generic stack class, pushes the string “Hello” onto the stack, and then pops and prints “Hello,” resulting in the output “Hello.”

Q168. In Java, what is the purpose of the synchronized keyword when used in the context of methods or code blocks?

Q169. In Java, which of the following statements about the “transient” modifier is true?

Q170. The following prototype shows that a Cylinder subclass is derived from a superclass called Circle.

Q171. What will be the output of the following Java code snippet?

class abc
{
    public static void main(String args[])
    {
        if(args.length>0)
        System.out.println(args.length);
    }
}

Q172. Which of these classes allows us to define our own formatting pattern for dates and times?

Reference

Q173.What kind of relationship does extends denote?