KEMBAR78
Java Questions | PDF | C (Programming Language) | Method (Computer Programming)
0% found this document useful (0 votes)
983 views69 pages

Java Questions

The document provides a summary of key topics in Java programming including language fundamentals, declarations and access control, operators and assignments, flow control, exceptions, objects and collections, inner classes, threads, garbage collection, and assertions. It also includes sample questions and answers related to Java programming concepts.

Uploaded by

monika
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
983 views69 pages

Java Questions

The document provides a summary of key topics in Java programming including language fundamentals, declarations and access control, operators and assignments, flow control, exceptions, objects and collections, inner classes, threads, garbage collection, and assertions. It also includes sample questions and answers related to Java programming concepts.

Uploaded by

monika
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 69

Java Programming Questions and Answers

Language Fundamentals

Declarations and Access Control

Operators and Assignments

Flow Control

Exceptions

Objects and Collections

Inner Classes

Threads

Garbage Collections

Assertions

Java.lang Class

Language Fundamentals
1.

What will be the output of the program?


public class CommandArgsThree
{
public static void main(String [] args)
{
String [][] argCopy = new String[2][2];
int x;
argCopy[0] = args;
x = argCopy[0].length;
for (int y = 0; y < x; y++)
{
System.out.print(" " + argCopy[0][y]);
}
}
}
and the command-line invocation is
> java CommandArgsThree 1 2 3
A.

00

B.

12

C.

000

D.

123

Answer & Explanation

Answer: Option D
Explanation:
In argCopy[0] = args;, the reference variable argCopy[0], which was referring to an array with two
elements, is reassigned to an array (args) with three elements.

2.

What will be the output of the program?


public class CommandArgs
{
public static void main(String [] args)
{
String s1 = args[1];
String s2 = args[2];
String s3 = args[3];
String s4 = args[4];
System.out.print(" args[2] = " + s2);
}
}
and the command-line invocation is
> java CommandArgs 1 2 3 4
A.

args[2] = 2

B.

args[2] = 3

C.

args[2] = null

D.

An exception is thrown at runtime.

Answer & Explanation

Answer: Option D
Explanation:
An exception is thrown because in the code String s4 = args[4];, the array index (the fifth element)
is out of bounds. The exception thrown is the cleverly named ArrayIndexOutOfBoundsException.

<<2>>

3.

public class F0091


{
public void main( String[] args )
{
System.out.println( "Hello" + args[0] );
}
}
What will be the output of the program, if this code is executed with the command line:
> java F0091 world
A.

Hello

B.

Hello Foo91

C.

Hello world

D.

The code does not run.

Answer & Explanation

Answer: Option D
Explanation:
Option D is correct. A runtime error will occur owning to the main method of the code fragment not being
declared static:
Exception in thread "main" java.lang.NoSuchMethodError: main
The Java Language Specification clearly states: "The main method must be declared public, static,
and void. It must accept a single argument that is an array of strings."

4.

What will be the output of the program?


public class TestDogs
{
public static void main(String [] args)
{
Dog [][] theDogs = new Dog[3][];
System.out.println(theDogs[2][0].toString());
}
}
class Dog { }
A.

null

B.

theDogs

C.

Compilation fails

D.

An exception is thrown at runtime

Answer & Explanation

Answer: Option D
Explanation:
The second dimension of the array referenced by theDogs has not been initialized. Attempting to access
an uninitialized object element (System.out.println(theDogs[2][0].toString());) raises
aNullPointerException.

<<3>>

5.

What will be the output of the program ?


public class Test
{
public static void main(String [] args)
{
signed int x = 10;
for (int y=0; y<5; y++, x--)
System.out.print(x + ", ");
}
}
A.

10, 9, 8, 7, 6,

B.

9, 8, 7, 6, 5,

C.

Compilation fails.

D.

An exception is thrown at runtime.

Answer & Explanation

Answer: Option C
Explanation:
The word "signed" is not a valid modifier keyword in the Java language. All number primitives in Java are
signed. Hence the Compilation will fails.
6.

What will be the output of the program?


public class CommandArgsTwo
{
public static void main(String [] argh)
{
int x;
x = argh.length;
for (int y = 1; y <= x; y++)
{
System.out.print(" " + argh[y]);
}
}
}
and the command-line invocation is
> java CommandArgsTwo 1 2 3
A.

012

B.

123

C.

000

D.

An exception is thrown at runtime

Answer & Explanation

Answer: Option D
Explanation:
An exception is thrown because at some point in (System.out.print(" " + argh[y]);), the value
of x will be equal to y, resulting in an attempt to access an index out of bounds for the array. Remember
that you can access only as far as length - 1, so loop logical tests should use x <
someArray.length as opposed to x < = someArray.length.

7.

In the given program, how many lines of output will be produced?


public class Test
{
public static void main(String [] args)
{
int [] [] [] x = new int [3] [] [];
int i, j;
x[0] = new int[4][];
x[1] = new int[2][];

<<4>>

x[2] = new int[5][];


for (i = 0; i < x.length; i++)
{
for (j = 0; j < x[i].length; j++)
{
x[i][j] = new int [i + j + 1];
System.out.println("size = " + x[i][j].length);
}
}
}
}
A.

B.

C.

11

D.

13

E.

Compilation fails

Answer & Explanation

Answer: Option C
Explanation:
The loops use the array sizes (length).
It produces 11 lines of output as given below.

D:\Java>javac Test.java
D:\Java>java Test
size = 1
size = 2
size = 3
size = 4
size = 2
size = 3
size = 3
size = 4
size = 5
size = 6
size = 7
Therefore, 11 is the answer.

8.

What will be the output of the program?


public class X
{
public static void main(String [] args)
{
String names [] = new String[5];
for (int x=0; x < args.length; x++)
names[x] = args[x];
System.out.println(names[2]);
}
}
and the command line invocation is
> java X a b
A.

names

B.

null

C.

Compilation fails

D.

An exception is thrown at runtime

Answer & Explanation

Answer: Option B
Explanation:
The names array is initialized with five null elements. Then elements 0 and 1 are assigned
the String values "a" and "b" respectively (the command-line arguments passed to main). Elements
of names array 2, 3, and 4 remain unassigned, so they have a value of null.

<<5>>

Exceptions
1.

What will be the output of the program?


public class Foo
{
public static void main(String[] args)
{
try
{
return;
}
finally
{
System.out.println( "Finally" );
}
}
}
A.

Finally

B.

Compilation fails.

C.

The code runs with no output.

D.

An exception is thrown at runtime.

Answer & Explanation

Answer: Option A
Explanation:
If you put a finally block after a try and its associated catch blocks, then once execution enters the try
block, the code in that finally block will definitely be executed except in the following circumstances:
1. An exception arising in the finally block itself.
2. The death of the thread.
3. The use of System.exit()
4. Turning off the power to the CPU.
I suppose the last three could be classified as VM shutdown.

2.

What will be the output of the program?


try
{
int x = 0;
int y = 5 / x;
}
catch (Exception e)
{
System.out.println("Exception");
}
catch (ArithmeticException ae)
{
System.out.println(" Arithmetic Exception");
}
System.out.println("finished");
A.

finished

B.

Exception

C.

Compilation fails.

D.

Arithmetic Exception

Answer & Explanation

Answer: Option C
Explanation:
Compilation fails because ArithmeticException has already been caught.ArithmeticException is a
subclass of java.lang.Exception, by time theArithmeticException has been specified it has
already been caught by theException class.
If ArithmeticException appears before Exception, then the file will compile. When catching
exceptions the more specific exceptions must be listed before the more general (the subclasses must be
caught before the superclasses).

<<6>>

3.

What will be the output of the program?


public class X
{
public static void main(String [] args)
{
try
{
badMethod();
System.out.print("A");
}
catch (Exception ex)
{
System.out.print("B");
}
finally
{
System.out.print("C");
}
System.out.print("D");
}
public static void badMethod()
{
throw new Error(); /* Line 22 */
}
}
A.

ABCD

B.

Compilation fails.

C.

C is printed before exiting with an error message.

D.

BC is printed before exiting with an error message.

Answer & Explanation

Answer: Option C
Explanation:
Error is thrown but not recognised line(22) because the only catch attempts to catch
an Exception and Exception is not a superclass of Error. Therefore only the code in
the finally statement can be run before exiting with a runtime error (Exception in thread
"main" java.lang.Error).

4.

What will be the output of the program?


public class X
{
public static void main(String [] args)
{
try
{
badMethod();
System.out.print("A");
}
catch (RuntimeException ex) /* Line 10 */
{
System.out.print("B");
}
catch (Exception ex1)
{
System.out.print("C");
}
finally
{
System.out.print("D");
}
System.out.print("E");
}
public static void badMethod()
{
throw new RuntimeException();
}
}

<<7>>

A.

BD

B.

BCD

C.

BDE

D.

BCDE

Answer & Explanation

Answer: Option C
Explanation:
A Run time exception is thrown and caught in the catch statement on line 10. All the code after the finally
statement is run because the exception has been caught.

5.

What will be the output of the program?


public class RTExcept
{
public static void throwit ()
{
System.out.print("throwit ");
throw new RuntimeException();
}
public static void main(String [] args)
{
try
{
System.out.print("hello ");
throwit();
}
catch (Exception re )
{
System.out.print("caught ");
}
finally
{
System.out.print("finally ");
}
System.out.println("after ");
}
}
A.

hello throwit caught

B.

Compilation fails

C.

hello throwit RuntimeException caught after

D.

hello throwit caught finally after

Answer & Explanation

Answer: Option D
Explanation:
The main() method properly catches and handles the RuntimeException in the catch block, finally runs
(as it always does), and then the code returns to normal.
A, B and C are incorrect based on the program logic described above. Remember that properly handled
exceptions do not cause the program to stop executing.

<<8>>

6.

What will be the output of the program?


public class Test
{
public static void aMethod() throws Exception
{
try /* Line 5 */
{
throw new Exception(); /* Line 7 */
}
finally /* Line 9 */
{
System.out.print("finally "); /* Line 11 */
}
}
public static void main(String args[])
{
try
{
aMethod();
}
catch (Exception e) /* Line 20 */
{
System.out.print("exception ");
}
System.out.print("finished"); /* Line 24 */
}
}
A.

finally

B.

exception finished

C.

finally exception finished

D.

Compilation fails

Answer & Explanation

Answer: Option C
Explanation:
This is what happens:
(1) The execution of the try block (line 5) completes abruptly because of the throwstatement (line 7).
(2) The exception cannot be assigned to the parameter of any catch clause of the trystatement therefore
the finally block is executed (line 9) and "finally" is output (line 11).
(3) The finally block completes normally, and then the try statement completes abruptly because of
the throw statement (line 7).
(4) The exception is propagated up the call stack and is caught by the catch in the main method (line 20).
This prints "exception".
(5) Lastly program execution continues, because the exception has been caught, and "finished" is output
(line 24).

7.

What will be the output of the program?


public class X
{
public static void main(String [] args)
{
try
{
badMethod();
System.out.print("A");
}
catch (Exception ex)
{
System.out.print("B");
}
finally
{
System.out.print("C");
}
System.out.print("D");
}

<<9>>

public static void badMethod() {}


}
A.

AC

B.

BC

C.

ACD

D.

ABCD

Answer & Explanation

Answer: Option C
Explanation:
There is no exception thrown, so all the code with the exception of the catch statement block is run.

8.

What will be the output of the program?


public class X
{
public static void main(String [] args)
{
try
{
badMethod(); /* Line 7 */
System.out.print("A");
}
catch (Exception ex) /* Line 10 */
{
System.out.print("B"); /* Line 12 */
}
finally /* Line 14 */
{
System.out.print("C"); /* Line 16 */
}
System.out.print("D"); /* Line 18 */
}
public static void badMethod()
{
throw new RuntimeException();
}
}
A.

AB

B.

BC

C.

ABC

D.

BCD

Answer & Explanation

Answer: Option D
Explanation:
(1) A RuntimeException is thrown, this is a subclass of exception.
(2) The exception causes the try to complete abruptly (line 7) therefore line 8 is never executed.
(3) The exception is caught (line 10) and "B" is output (line 12)
(4) The finally block (line 14) is always executed and "C" is output (line 16).
(5) The exception was caught, so the program continues with line 18 and outputs "D".

9.

What will be the output of the program?


public class MyProgram
{
public static void main(String args[])
{
try
{
System.out.print("Hello world ");
}
finally
{
System.out.println("Finally executing ");
}
}
}
A.

Nothing. The program will not compile because no exceptions are specified.

<<10>>

B.

Nothing. The program will not compile because no catch clauses are specified.

C.

Hello world.

D.

Hello world Finally executing

Answer & Explanation

Answer: Option D
Explanation:
Finally clauses are always executed. The program will first execute the try block, printing Hello world, and
will then execute the finally block, printing Finally executing.
Option A, B, and C are incorrect based on the program logic described above. Remember that either a
catch or a finally statement must follow a try. Since the finally is present, the catch is not required.

10. What will be the output of the program?


class Exc0 extends Exception { }
class Exc1 extends Exc0 { } /* Line 2 */
public class Test
{
public static void main(String args[])
{
try
{
throw new Exc1(); /* Line 9 */
}
catch (Exc0 e0) /* Line 11 */
{
System.out.println("Ex0 caught");
}
catch (Exception e)
{
System.out.println("exception caught");
}
}
}
A.

Ex0 caught

B.

exception caught

C.

Compilation fails because of an error at line 2.

D.

Compilation fails because of an error at line 9.

Answer & Explanation

Answer: Option A
Explanation:
An exception Exc1 is thrown and is caught by the catch statement on line 11. The code is executed in this
block. There is no finally block of code to execute.

<<11>>

Assertions
1.

What will be the output of the program?


public class Test
{
public static void main(String[] args)
{
int x = 0;
assert (x > 0) ? "assertion failed" : "assertion passed" ;
System.out.println("finished");
}
}
A.

finished

B.

Compiliation fails.

C.

An AssertionError is thrown and finished is output.

D.

An AssertionError is thrown with the message "assertion failed."

Answer & Explanation

Answer: Option B
Explanation:
Compilation Fails. You can't use the Assert statement in a similar way to the ternary operator. Don't
confuse.

2.

public class Test


{
public void foo()
{
assert false; /* Line 5 */
assert false; /* Line 6 */
}
public void bar()
{
while(true)
{
assert false; /* Line 12 */
}
assert false; /* Line 14 */
}
}
What causes compilation to fail?
A.

Line 5

B.

Line 6

C.

Line 12

D.

Line 14

Answer & Explanation

Answer: Option D
Explanation:
Option D is correct. Compilation fails because of an unreachable statement at line 14. It is a compile-time
error if a statement cannot be executed because it is unreachable. The question is now, why is line 20
unreachable? If it is because of the assert then surely line 6 would also be unreachable. The answer must
be something other than assert.
Examine the following:
A while statement can complete normally if and only if at least one of the following is true:
- The while statement is reachable and the condition expression is not a constant expression with value
true.
-There is a reachable break statement that exits the while statement.
The while statement at line 11 is infinite and there is no break statement therefore line 14 is unreachable.
You can test this with the following code:

<<12>>

public class Test80


{
public void foo()
{
assert false;
assert false;
}
public void bar()
{
while(true)
{
assert false;
break;
}
assert false;
}
}

3.

What will be the output of the program?


public class Test
{
public static int y;
public static void foo(int x)
{
System.out.print("foo ");
y = x;
}
public static int bar(int z)
{
System.out.print("bar ");
return y = z;
}
public static void main(String [] args )
{
int t = 0;
assert t > 0 : bar(7);
assert t > 1 : foo(8); /* Line 18 */
System.out.println("done ");
}
}
A.

bar

B.

bar done

C.

foo done

D.

Compilation fails

Answer & Explanation

Answer: Option D
Explanation:
The foo() method returns void. It is a perfectly acceptable method, but because it returns void it cannot
be used in an assert statement, so line 18 will not compile.

4.

What will be the output of the program (when you run with the -ea option) ?
public class Test
{
public static void main(String[] args)
{
int x = 0;
assert (x > 0) : "assertion failed"; /* Line 6 */
System.out.println("finished");
}

<<13>>

}
A.

finished

B.

Compilation fails.

C.

An AssertionError is thrown.

D.

An AssertionError is thrown and finished is output.

Answer & Explanation

Answer: Option C
Explanation:
An assertion Error is thrown as normal giving the output "assertion failed". The word "finished" is not
printed (ensure you run with the -ea option)
Assertion failures are generally labeled in the stack trace with the file and line number from which they
were thrown, and also in this case with the error's detail message "assertion failed". The detail message is
supplied by the assert statement in line 6.

5.

public class Test2


{
public static int x;
public static int foo(int y)
{
return y * 2;
}
public static void main(String [] args)
{
int z = 5;
assert z > 0; /* Line 11 */
assert z > 2: foo(z); /* Line 12 */
if ( z < 7 )
assert z > 4; /* Line 14 */
switch (z)
{
case 4: System.out.println("4 ");
case 5: System.out.println("5 ");
default: assert z < 10;
}
if ( z < 10 )
assert z > 4: z++; /* Line 22 */
System.out.println(z);
}
}
which line is an example of an inappropriate use of assertions?
A.

Line 11

B.

Line 12

C.

Line 14

D.

Line 22

Answer & Explanation

Answer: Option D
Explanation:
Assert statements should not cause side effects. Line 22 changes the value of z if the assert statement
is false.
Option A is fine; a second expression in an assert statement is not required.
Option B is fine because it is perfectly acceptable to call a method with the second expression of an assert
statement.
Option C is fine because it is proper to call an assert statement conditionally.

<<14>>

Threads
What will be the output of the program?
class MyThread extends Thread
{
MyThread()
{
System.out.print(" MyThread");
}
public void run()
{
System.out.print(" bar");
}
public void run(String s)
{
System.out.println(" baz");
}
}
public class TestThreads
{
public static void main (String [] args)
{
Thread t = new MyThread()
{
public void run()
{
System.out.println(" foo");
}
};
t.start();
}
}
A.

foo

B.

MyThread foo

C.

MyThread bar

D.

foo bar

Answer & Explanation

Answer: Option B
Explanation:
Option B is correct because in the first line of main we're constructing an instance of an
anonymous inner class extending from MyThread. So the MyThread constructor runs and prints
"MyThread". The next statement in main invokes start() on the new thread instance, which
causes the overridden run() method (the run() method defined in the anonymous inner class)
to be invoked, which prints "foo"

2.

What will be the output of the program?


class MyThread extends Thread
{
public static void main(String [] args)
{
MyThread t = new MyThread();
t.start();
System.out.print("one. ");
t.start();
System.out.print("two. ");
}
public void run()
{
System.out.print("Thread ");
}

<<15>>

}
A.

Compilation fails

B.

An exception occurs at runtime.

C.

It prints "Thread one. Thread two."

D.

The output cannot be determined.

Answer & Explanation

Answer: Option B
Explanation:
When the start() method is attempted a second time on a single Thread object, the method
will throw an IllegalThreadStateException (you will not need to know this exception
name for the exam). Even if the thread has finished running, it is still illegal to
call start() again.

3.

What will be the output of the program?


class MyThread extends Thread
{
MyThread() {}
MyThread(Runnable r) {super(r); }
public void run()
{
System.out.print("Inside Thread ");
}
}
class MyRunnable implements Runnable
{
public void run()
{
System.out.print(" Inside Runnable");
}
}
class Test
{
public static void main(String[] args)
{
new MyThread().start();
new MyThread(new MyRunnable()).start();
}
}
A.

Prints "Inside Thread Inside Thread"

B.

Prints "Inside Thread Inside Runnable"

C.

Does not compile

D.

Throws exception at runtime

Answer & Explanation

Answer: Option A
Explanation:
If a Runnable object is passed to the Thread constructor, then the run method of
theThread class will invoke the run method of the Runnable object.
In this case, however, the run method in the Thread class is overridden by the run method
in MyThread class. Therefore the run() method in MyRunnable is never invoked.
Both times, the run() method in MyThread is invoked instead.

4.

What will be the output of the program?

<<16>>

class s1 implements Runnable


{
int x = 0, y = 0;
int addX() {x++; return x;}
int addY() {y++; return y;}
public void run() {
for(int i = 0; i < 10; i++)
System.out.println(addX() + " " + addY());
}
public static void main(String args[])
{
s1 run1 = new s1();
s1 run2 = new s1();
Thread t1 = new Thread(run1);
Thread t2 = new Thread(run2);
t1.start();
t2.start();
}
}
A.

Compile time Error: There is no start() method

B.

Will print in this order: 1 1 2 2 3 3 4 4 5 5...

C.

Will print but not exactly in an order (e.g: 1 1 2 2 1 1 3 3...)

D.

Will print in this order: 1 2 3 4 5 6... 1 2 3 4 5 6...

Answer & Explanation

Answer: Option C
Explanation:
Both threads are operating on different sets of instance variables. If you modify the code of
the run() method to print the thread name it will help to clarify the output:

public void run()


{
for(int i = 0; i < 10; i++)
System.out.println(
Thread.currentThread().getName() + ": " + addX() + " " + addY()
);
}

5.

What will be the output of the program?


public class Q126 implements Runnable
{
private int x;
private int y;
public static void main(String [] args)
{
Q126 that = new Q126();
(new Thread(that)).start( ); /* Line 8
(new Thread(that)).start( ); /* Line 9
}
public synchronized void run( ) /* Line 11
{
for (;;) /* Line 13 */
{
x++;
y++;
System.out.println("x = " + x + "y
}

<<17>>

*/
*/
*/

= " + y);

}
}
A.

An error at line 11 causes compilation to fail

B.

Errors at lines 8 and 9 cause compilation to fail.

C.

The program prints pairs of values for x and y that might not always be the same
on the same line (for example, "x=2, y=1")

D.

The program prints pairs of values for x and y that are always the same on the
same line (for example, "x=1, y=1". In addition, each value appears once (for
example, "x=1, y=1" followed by "x=2, y=2")

Answer & Explanation

Answer: Option D
Explanation:
The synchronized code is the key to answering this question. Because x and y are both
incremented inside the synchronized method they are always incremented together. Also keep
in mind that the two threads share the same reference to the Q126 object.
Also note that because of the infinite loop at line 13, only one thread ever gets to execute.
6.

What will be the output of the program?


class s1 extends Thread
{
public void run()
{
for(int i = 0; i < 3; i++)
{
System.out.println("A");
System.out.println("B");
}
}
}
class Test120 extends Thread
{
public void run()
{
for(int i = 0; i < 3; i++)
{
System.out.println("C");
System.out.println("D");
}
}
public static void main(String args[])
{
s1 t1 = new s1();
Test120 t2 = new Test120();
t1.start();
t2.start();
}
}
A.

Compile time Error There is no start() method

B.

Will print in this order AB CD AB...

C.

Will print but not be able to predict the Order

D.

Will print in this order ABCD...ABCD...

Answer & Explanation

Answer: Option C
Explanation:

<<18>>

We cannot predict the order in which threads are going to run.

7.

What will be the output of the program?


class s implements Runnable
{
int x, y;
public void run()
{
for(int i = 0; i < 1000; i++)
synchronized(this)
{
x = 12;
y = 12;
}
System.out.print(x + " " + y + " ");
}
public static void main(String args[])
{
s run = new s();
Thread t1 = new Thread(run);
Thread t2 = new Thread(run);
t1.start();
t2.start();
}
}
A.

DeadLock

B.

It print 12 12 12 12

C.

Compilation Error

D.

Cannot determine output.

Answer & Explanation

Answer: Option B
Explanation:
The program will execute without any problems and print 12 12 12 12.

8.

What will be the output of the program?


public class ThreadDemo
{
private int count = 1;
public synchronized void doSomething()
{
for (int i = 0; i < 10; i++)
System.out.println(count++);
}
public static void main(String[] args)
{
ThreadDemo demo = new ThreadDemo();
Thread a1 = new A(demo);
Thread a2 = new A(demo);
a1.start();
a2.start();
}
}
class A extends Thread
{
ThreadDemo demo;
public A(ThreadDemo td)
{
demo = td;
}
public void run()
{
demo.doSomething();

<<19>>

}
}
A.

It will print the numbers 0 to 19 sequentially

B.

It will print the numbers 1 to 20 sequentially

C.

It will print the numbers 1 to 20, but the order cannot be determined

D.

The code will not compile.

Answer & Explanation

Answer: Option B
Explanation:
You have two different threads that share one reference to a common object.
The updating and output takes place inside synchronized code.
One thread will run to completion printing the numbers 1-10.
The second thread will then run to completion printing the numbers 11-20.

9.

What will be the output of the program?


public class WaitTest
{
public static void main(String [] args)
{
System.out.print("1 ");
synchronized(args)
{
System.out.print("2 ");
try
{
args.wait(); /* Line 11 */
}
catch(InterruptedException e){ }
}
System.out.print("3 ");
}
}
A.

It fails to compile because the IllegalMonitorStateException of wait() is


not dealt with in line 11.

B.

123

C.

13

D.

12

Answer & Explanation

Answer: Option D
Explanation:
1 and 2 will be printed, but there will be no return from the wait call because no other thread
will notify the main thread, so 3 will never be printed. The program is essentially frozen at line
11.
A is incorrect; IllegalMonitorStateException is an unchecked exception so it doesn't
have to be dealt with explicitly.
B and C are incorrect; 3 will never be printed, since this program will never terminate because
it will wait forever.

10. What will be the output of the program?


public class SyncTest
{

<<20>>

public static void main (String [] args)


{
Thread t = new Thread()
{
Foo f = new Foo();
public void run()
{
f.increase(20);
}
};
t.start();
}
}
class Foo
{
private int data = 23;
public void increase(int amt)
{
int x = data;
data = x + amt;
}
}
and assuming that data must be protected from corruption, whatif anythingcan you add
to the preceding code to ensure the integrity of data?
A.

Synchronize the run method.

B.

Wrap a synchronize(this) around the call to f.increase().

C.

The existing code will cause a runtime exception.

D.

Synchronize the increase() method

Answer & Explanation

Answer: Option D
Explanation:
Option D is correct because synchronizing the code that actually does the increase will protect
the code from being accessed by more than one thread at a time.
Option A is incorrect because synchronizing the run() method would stop other threads from
running the run() method (a bad idea) but still would not prevent other threads with other
runnables from accessing the increase() method.
Option B is incorrect for virtually the same reason as Asynchronizing the code that calls
the increase() method does not prevent other code from calling theincrease() method.
11. What will be the output of the program?
class Happy extends Thread
{
final StringBuffer sb1 = new StringBuffer();
final StringBuffer sb2 = new StringBuffer();
public static void main(String args[])
{
final Happy h = new Happy();
new Thread()
{
public void run()
{
synchronized(this)
{
h.sb1.append("A");
h.sb2.append("B");
System.out.println(h.sb1);
System.out.println(h.sb2);
}
}
}.start();
new Thread()
{

<<21>>

public void run()


{
synchronized(this)
{
h.sb1.append("D");
h.sb2.append("C");
System.out.println(h.sb2);
System.out.println(h.sb1);
}
}
}.start();
}
}
A.

ABBCAD

B.

ABCBCAD

C.

CDADACB

D.

Output determined by the underlying platform.

Answer & Explanation

Answer: Option D
Explanation:
Can you guarantee the order in which threads are going to run? No you can't. So how do you know what the
output will be? The output cannot be determined.

12.

class Test
{
public static void main(String [] args)
{
printAll(args);
}
public static void printAll(String[] lines)
{
for(int i = 0; i < lines.length; i++)
{
System.out.println(lines[i]);
Thread.currentThread().sleep(1000);
}
}
}
the static method Thread.currentThread() returns a reference to the currently executing Thread object. What
is the result of this code?
A.

Each String in the array lines will output, with a 1-second pause.

B.

Each String in the array lines will output, with no pause in between because this method is not
executed in a Thread.

C.

Each String in the array lines will output, and there is no guarantee there will be a pause
because currentThread() may not retrieve this thread.

D.

This code will not compile.

Answer & Explanation

Answer: Option D
Explanation:
D. The sleep() method must be enclosed in a try/catch block, or the methodprintAll() must declare it throws
the InterruptedException.
A is incorrect, but it would be correct if the InterruptedException was dealt with.
B is incorrect, but it would still be incorrect if the InterruptedException was dealt with because all Java code,
including the main() method, runs in threads.
C is incorrect. The sleep() method is static, so even if it is called on an instance, it still always affects the
currently executing thread.

13. What will be the output of the program?


class MyThread extends Thread
{
public static void main(String [] args)
{
MyThread t = new MyThread(); /* Line 5 */

<<22>>

t.run();

/* Line 6 */

}
public void run()
{
for(int i=1; i < 3; ++i)
{
System.out.print(i + "..");
}
}
}
A.

This code will not compile due to line 5.

B.

This code will not compile due to line 6.

C.

1..2..

D.

1..2..3..

Answer & Explanation

Answer: Option C
Explanation:
Line 6 calls the run() method, so the run() method executes as a normal method should and it prints "1..2.."
A is incorrect because line 5 is the proper way to create an object.
B is incorrect because it is legal to call the run() method, even though this will not start a true thread of
execution. The code after line 6 will not execute until the run()method is complete.
D is incorrect because the for loop only does two iterations.

14. What will be the output of the program?


class Test116
{
static final StringBuffer sb1 = new StringBuffer();
static final StringBuffer sb2 = new StringBuffer();
public static void main(String args[])
{
new Thread()
{
public void run()
{
synchronized(sb1)
{
sb1.append("A");
sb2.append("B");
}
}
}.start();
new Thread()
{
public void run()
{
synchronized(sb1)
{
sb1.append("C");
sb2.append("D");
}
}
}.start(); /* Line 28 */
System.out.println (sb1 + " " + sb2);
}
}
A.

main() will finish before starting threads.

B.

main() will finish in the middle of one thread.

C.

main() will finish after one thread.

D.

Cannot be determined.

Answer & Explanation

Answer: Option D
Explanation:
Can you guarantee the order in which threads are going to run? No you can't. So how do you know what the
output will be? The output cannot be determined.

<<23>>

add this code after line 28:

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


and you have some chance of predicting the outcome.

15. What will be the output of the program?


public class ThreadTest extends Thread
{
public void run()
{
System.out.println("In run");
yield();
System.out.println("Leaving run");
}
public static void main(String []argv)
{
(new ThreadTest()).start();
}
}
A.

The code fails to compile in the main() method

B.

The code fails to compile in the run() method

C.

Only the text "In run" will be displayed

D.

The text "In run" followed by "Leaving run" will be displayed

Answer & Explanation

Answer: Option D

16. What will be the output of the program?


public class Test107 implements Runnable
{
private int x;
private int y;
public static void main(String args[])
{
Test107 that = new Test107();
(new Thread(that)).start();
(new Thread(that)).start();
}
public synchronized void run()
{
for(int i = 0; i < 10; i++)
{
x++;
y++;
System.out.println("x = " + x + ", y = " + y); /* Line 17 */
}
}
}
A.

Compilation error.

B.

Will print in this order: x = 1 y = 1 x = 2 y = 2 x = 3 y = 3 x = 4 y =


4 x = 5 y = 5... but the output will be produced by both threads running
simultaneously.

C.

Will print in this order: x = 1 y = 1 x = 2 y = 2 x = 3 y = 3 x = 4 y =


4 x = 5 y = 5... but the output will be produced by first one thread then the
other. This is guaranteed by the synchronised code.

D.

Will print in this order x = 1 y = 2 x = 3 y = 4 x = 5 y = 6 x = 7 y =

8...

Answer & Explanation

<<24>>

Answer: Option C
Explanation:
Both threads are operating on the same instance variables. Because the code is synchronized
the first thread will complete before the second thread begins. Modify line 17 to print the
thread names:

System.out.println(Thread.currentThread().getName() + " x = " + x + ", y


= " + y);

17. What will be the output of the program?


public class Test
{
public static void main (String [] args)
{
final Foo f = new Foo();
Thread t = new Thread(new Runnable()
{
public void run()
{
f.doStuff();
}
});
Thread g = new Thread()
{
public void run()
{
f.doStuff();
}
};
t.start();
g.start();
}
}
class Foo
{
int x = 5;
public void doStuff()
{
if (x < 10)
{
// nothing to do
try
{
wait();
} catch(InterruptedException ex) { }
}
else
{
System.out.println("x is " + x++);
if (x >= 10)
{
notify();
}
}
}
}
A.

The code will not compile because of an error on notify(); of class Foo.

B.

The code will not compile because of some other error in class Test.

C.

An exception occurs at runtime.

D.

It prints "x is 5 x is 6".

Answer & Explanation

<<25>>

Answer: Option C
Explanation:
C is correct because the thread does not own the lock of the object it invokes wait()on. If
the method were synchronized, the code would run without exception.
A, B are incorrect because the code compiles without errors.
D is incorrect because the exception is thrown before there is any output.

18. What will be the output of the program?


class MyThread extends Thread
{
public static void main(String [] args)
{
MyThread t = new MyThread();
Thread x = new Thread(t);
x.start(); /* Line 7 */
}
public void run()
{
for(int i = 0; i < 3; ++i)
{
System.out.print(i + "..");
}
}
}
A.

Compilation fails.

B.

1..2..3..

C.

0..1..2..3..

D.

0..1..2..

Answer & Explanation

Answer: Option D
Explanation:
The thread MyThread will start and loop three times (from 0 to 2).
Option A is incorrect because the Thread class implements the Runnable interface;
therefore, in line 7, Thread can take an object of type Thread as an argument in the
constructor.
Option B and C are incorrect because the variable i in the for loop starts with a value of 0 and
ends with a value of 2.

<<26>>

Inner Classes
1.

What will be the output of the program?


public class Foo
{
Foo()
{
System.out.print("foo");
}
class Bar
{
Bar()
{
System.out.print("bar");
}
public void go()
{
System.out.print("hi");
}
} /* class Bar ends */
public static void main (String [] args)
{
Foo f = new Foo();
f.makeBar();
}
void makeBar()
{
(new Bar() {}).go();
}
}/* class Foo ends */
A.

Compilation fails.

B.

An error occurs at runtime.

C.

It prints "foobarhi"

D.

It prints "barhi"

Answer & Explanation

Answer: Option C
Explanation:
Option C is correct because first the Foo instance is created, which means the Fooconstructor runs and prints
"foo". Next, the makeBar() method is invoked which creates a Bar, which means the Bar constructor runs and
prints "bar", and finally thego() method is invoked on the new Bar instance, which means the go() method
prints "hi".

2.

What will be the output of the program?


public class HorseTest
{
public static void main (String [] args)
{
class Horse
{
public String name; /* Line 7 */
public Horse(String s)
{
name = s;
}
} /* class Horse ends */
Object obj = new Horse("Zippo"); /* Line 13 */
Horse h = (Horse) obj; /* Line 14 */
System.out.println(h.name);
}
} /* class HorseTest ends */
A.

An exception occurs at runtime at line 10.

B.

It prints "Zippo".

<<27>>

C.

Compilation fails because of an error on line 7.

D.

Compilation fails because of an error on line 13.

Answer & Explanation

Answer: Option B
Explanation:
The code in the HorseTest class is perfectly legal. Line 13 creates an instance of the method-local inner
class Horse, using a reference variable declared as type Object. Line 14 casts the Horse object to
a Horse reference variable, which allows line 15 to compile. If line 14 were removed, the HorseTest code would
not compile, because classObject does not have a name variable.

3.

What will be the output of the program?


public class TestObj
{
public static void main (String [] args)
{
Object o = new Object() /* Line 5 */
{
public boolean equals(Object obj)
{
return true;
}
}
/* Line 11 */
System.out.println(o.equals("Fred"));
}
}
A.

It prints "true".

B.

It prints "Fred".

C.

An exception occurs at runtime.

D.

Compilation fails

Answer & Explanation

Answer: Option D
Explanation:
This code would be legal if line 11 ended with a semicolon. Remember that line 5 is a statement that doesn't end
until line 11, and a statement needs a closing semicolon!

4.

What will be the output of the program?


public abstract class AbstractTest
{
public int getNum()
{
return 45;
}
public abstract class Bar
{
public int getNum()
{
return 38;
}
}
public static void main (String [] args)
{
AbstractTest t = new AbstractTest()
{
public int getNum()
{
return 22;
}
};
AbstractTest.Bar f = t.new Bar()
{
public int getNum()
{
return 57;
}
};
System.out.println(f.getNum() + " " + t.getNum());

<<28>>

}
}
A.

57 22

B.

45 38

C.

45 57

D.

An exception occurs at runtime.

Answer & Explanation

Answer: Option A
Explanation:
You can define an inner class as abstract, which means you can instantiate only concrete subclasses of the
abstract inner class. The object referenced by the variable t is an instance of an anonymous subclass
of AbstractTest, and the anonymous class overrides the getNum() method to return 22. The variable
referenced by f is an instance of an anonymous subclass of Bar, and the anonymous Bar subclass also overrides
the getNum() method (to return 57). Remember that to instantiate a Barinstance, we need an instance of the
enclosing AbstractTest class to tie to the newBar inner class instance. AbstractTest can't be instantiated
because it's abstract, so we created an anonymous subclass (non-abstract) and then used the instance of that
anonymous subclass to tie to the new Bar subclass instance.

<<29>>

Declarations and Access Control


What will be the output of the program?
class A
{
final public int GetResult(int a, int b) { return 0; }
}
class B extends A
{
public int GetResult(int a, int b) {return 1; }
}
public class Test
{
public static void main(String args[])
{
B b = new B();
System.out.println("x = " + b.GetResult(0, 1));
}
}
A.

x=0

B.

x=1

C.

Compilation fails.

D.

An exception is thrown at runtime.

Answer & Explanation

Answer: Option C
Explanation:
The code doesn't compile because the method GetResult() in class A is final and so cannot be overridden.

2.

What will be the output of the program?


public class Test
{
public static void main(String args[])
{
class Foo
{
public int i = 3;
}
Object o = (Object)new Foo();
Foo foo = (Foo)o;
System.out.println("i = " + foo.i);
}
}
A.

i=3

B.

Compilation fails.

C.

i=5

D.

A ClassCastException will occur.

Answer & Explanation

Answer: Option A

3.

What will be the output of the program?


public class A
{
void A() /* Line 3 */
{
System.out.println("Class A");
}
public static void main(String[] args)
{
new A();
}
}

<<30>>

A.

Class A

B.

Compilation fails.

C.

An exception is thrown at line 3.

D.

The code executes with no output.

Answer & Explanation

Answer: Option D
Explanation:
Option D is correct. The specification at line 3 is for a method and not a constructor and this method is never
called therefore there is no output. The constructor that is called is the default constructor.

4.

What will be the output of the program?


class Super
{
public int i = 0;
public Super(String text) /* Line 4 */
{
i = 1;
}
}
class Sub extends Super
{
public Sub(String text)
{
i = 2;
}
public static void main(String args[])
{
Sub sub = new Sub("Hello");
System.out.println(sub.i);
}
}
A.

B.

C.

D.

Compilation fails.

Answer & Explanation

Answer: Option D
Explanation:
A default no-args constructor is not created because there is a constructor supplied that has an argument, line 4.
Therefore the sub-class constructor must explicitly make a call to the super class constructor:

public Sub(String text)


{
super(text); // this must be the first line constructor
i = 2;
}

5.

What will be the output of the program?


public class Test
{
public int aMethod()
{
static int i = 0;
i++;
return i;
}
public static void main(String args[])
{
Test test = new Test();
test.aMethod();
int j = test.aMethod();
System.out.println(j);
}
}

<<31>>

A.

B.

C.

D.

Compilation fails.

Answer & Explanation

Answer: Option D
Explanation:
Compilation failed because static was an illegal start of expression - method variables do not have a modifier
(they are always considered local).

6.

What will be the output of the program?


interface Count
{
short counter = 0;
void countUp();
}
public class TestCount implements Count
{
public static void main(String [] args)
{
TestCount t = new TestCount();
t.countUp();
}
public void countUp()
{
for (int x = 6; x>counter; x--, ++counter) /* Line 14 */
{
System.out.print(" " + counter);
}
}
}
A.

012

B.

123

C.

0123

D.

1234

E.

Compilation fails

Answer & Explanation

Answer: Option E
Explanation:
The code will not compile because the variable counter is an interface variable that is by
default final static. The compiler will complain at line 14 when the code attempts to
increment counter.

7.

What will be the output of the program?


class Base
{
Base()
{
System.out.print("Base");
}
}
public class Alpha extends Base
{
public static void main(String[] args)
{
new Alpha(); /* Line 12 */
new Base(); /* Line 13 */
}
}
A.

Base

<<32>>

B.

BaseBase

C.

Compilation fails

D.

The code runs with no output

Answer & Explanation

Answer: Option B
Explanation:
Option B is correct. It would be correct if the code had compiled, and the subclass Alphahad
been saved in its own file. In this case Java supplies an implicit call from the sub-class
constructor to the no-args constructor of the super-class therefore line 12 causes Base to be
output. Line 13 also causes Base to be output.
Option A is wrong. It would be correct if either the main class or the subclass had not been
instantiated.
Option C is wrong. The code compiles.
Option D is wrong. There is output.

8.

What will be the output of the program?


import java.util.*;
public class NewTreeSet2 extends NewTreeSet
{
public static void main(String [] args)
{
NewTreeSet2 t = new NewTreeSet2();
t.count();
}
}
protected class NewTreeSet
{
void count()
{
for (int x = 0; x < 7; x++,x++ )
{
System.out.print(" " + x);
}
}
}
A.

024

B.

0246

C.

Compilation fails at line 2

D.

Compilation fails at line 10

Answer & Explanation

Answer: Option D
Explanation:
Nonnested classes cannot be marked protected (or final for that matter), so the compiler
will fail at protected class NewTreeSet.

9.

What will be the output of the program?


public class ArrayTest
{
public static void main(String[ ] args)
{
float f1[ ], f2[ ];
f1 = new float[10];
f2 = f1;

<<33>>

System.out.println("f2[0] = " + f2[0]);


}
}
A.

It prints f2[0] = 0.0

B.

It prints f2[0] = NaN

C.

An error at f2 = f1; causes compile to fail.

D.

It prints the garbage value.

Answer & Explanation

Answer: Option A
Explanation:
Option A is correct. When you create an array (f1 = new float[10];) the elements are
initialises to the default values for the primitive data type (float in this case - 0.0), so f1will
contain 10 elements each with a value of 0.0. f2 has been declared but has not been
initialised, it has the ability to reference or point to an array but as yet does not point to any
array. f2 = f1; copies the reference (pointer/memory address) of f1 into f2 so
nowf2 points at the array pointed to by f1.
This means that the values returned by f2 are the values returned by f1. Changes to f1are
also changes to f2 because both f1 and f2 point to the same array.

10. What will be the output of the program?


class Super
{
public Integer getLength()
{
return new Integer(4);
}
}
public class Sub extends Super
{
public Long getLength()
{
return new Long(5);
}
public static void main(String[] args)
{
Super sooper = new Super();
Sub sub = new Sub();
System.out.println(
sooper.getLength().toString() + "," + sub.getLength().toString() );
}
}
A.

4, 4

B.

4, 5

C.

5, 4

D.

Compilation fails.

Answer & Explanation

Answer: Option D
Explanation:
Option D is correct, compilation fails - The return type of getLength( ) in the super class is
an object of reference type Integer and the return type in the sub class is an object of
reference type Long. In other words, it is not an override because of the change in the return
type and it is also not an overload because the argument list has not changed.

<<34>>

Objects and Collections


1.

What will be the output of the program?


public class Test
{
public static void main (String[] args)
{
String foo = args[1];
String bar = args[2];
String baz = args[3];
System.out.println("baz = " + baz); /* Line 8 */
}
}
And the command line invocation:
> java Test red green blue
A.

baz =

B.

baz = null

C.

baz = blue

D.

Runtime Exception

Answer & Explanation

Answer: Option D
Explanation:
When running the program you entered 3 arguments "red", "green" and "blue". When dealing with arrays
in java you must remember ALL ARRAYS IN JAVA ARE ZERO BASED therefore args[0] becomes
"red", args[1] becomes "green" and args[2] becomes "blue".
When the program entcounters line 8 above at runtime it looks for args[3] which has never been created
therefore you get an
ArrayIndexOutOfBoundsException at runtime.

2.

What will be the output of the program?


public class Test
{
public static void main (String args[])
{
String str = NULL;
System.out.println(str);
}
}
A.

NULL

B.

Compile Error

C.

Code runs but no output

D.

Runtime Exception

Answer & Explanation

Answer: Option B
Explanation:
Option B is correct because to set the value of a String variable to null you must use "null" and not
"NULL".

3.

What will be the output of the program?


package foo;
import java.util.Vector; /* Line 2 */
private class MyVector extends Vector
{
int i = 1; /* Line 5 */
public MyVector()
{
i = 2;
}
}
public class MyNewVector extends MyVector
{

<<35>>

public MyNewVector ()
{
i = 4; /* Line 15 */
}
public static void main (String args [])
{
MyVector v = new MyNewVector(); /* Line 19 */
}
}
A.

Compilation will succeed.

B.

Compilation will fail at line 3.

C.

Compilation will fail at line 5.

D.

Compilation will fail at line 15.

Answer & Explanation

Answer: Option B
Explanation:
Option B is correct. The compiler complains with the error "modifier private not allowed here". The class is
created private and is being used by another class on line 19.

4.

What will be the output of the program?


public class Test
{
private static int[] x;
public static void main(String[] args)
{
System.out.println(x[0]);
}
}
A.

B.

null

C.

Compile Error

D.

NullPointerException at runtime

Answer & Explanation

Answer: Option D
Explanation:
In the above code the array reference variable x has been declared but it has not been instantiated i.e. the
new statement is missing, for example:

private static int[]x = new int[5];


private static int[x] declares a static i.e. class level array.
the "new" keyword is the word that actually creates said array.
int[5] in association with the new sets the size of the array. so since the above code contains no new or
size decalarations when you try and access x[0] you are trying to access a member of an array that has
been declared but not intialized hence you get aNullPointerException at runtime.

5.

What will be the output of the program?


import java.util.*;
class I
{
public static void main (String[] args)
{
Object i = new ArrayList().iterator();
System.out.print((i instanceof List)+",");
System.out.print((i instanceof Iterator)+",");
System.out.print(i instanceof ListIterator);
}
}
A.

Prints: false, false, false

<<36>>

B.

Prints: false, false, true

C.

Prints: false, true, false

D.

Prints: false, true, true

Answer & Explanation

Answer: Option C
Explanation:
The iterator() method returns an iterator over the elements in the list in proper sequence, it doesn't
return a List or a ListIterator object.
A ListIterator can be obtained by invoking the listIterator method.
6.

What will be the output of the program?


public class Test
{
private static float[] f = new float[2];
public static void main (String[] args)
{
System.out.println("f[0] = " + f[0]);
}
}
A.

f[0] = 0

B.

f[0] = 0.0

C.

Compile Error

D.

Runtime Exception

Answer & Explanation

Answer: Option B
Explanation:
The choices are between Option A and B, what this question is really testing is your knowledge of default
values of an initialized array. This is an array type float i.e. it is a type that uses decimal point numbers
therefore its initial value will be 0.0 and not 0

7.

What will be the output of the program?


import java.util.*;
class H
{
public static void main (String[] args)
{
Object x = new Vector().elements();
System.out.print((x instanceof Enumeration)+",");
System.out.print((x instanceof Iterator)+",");
System.out.print(x instanceof ListIterator);
}
}
A.

Prints: false,false,false

B.

Prints: false,false,true

C.

Prints: false,true,false

D.

Prints: true,false,false

Answer & Explanation

Answer: Option D
Explanation:
The Vector.elements method returns an Enumeration over the elements of the
vector. Vector implements the List interface and extends AbstractList so it is also possible to get
an Iterator over a Vector by invoking the iterator orlistIterator method.

8.

What will be the output of the program?


TreeSet map = new TreeSet();
map.add("one");
map.add("two");
map.add("three");

<<37>>

map.add("four");
map.add("one");
Iterator it = map.iterator();
while (it.hasNext() )
{
System.out.print( it.next() + " " );
}
A.

one two three four

B.

four three two one

C.

four one three two

D.

one two three four one

Answer & Explanation

Answer: Option C
Explanation:
TreeSet assures no duplicate entries; also, when it is accessed it will return elements in natural order,
which typically means alphabetical.

9.

What will be the output of the program?


public static void main(String[] args)
{
Object obj = new Object()
{
public int hashCode()
{
return 42;
}
};
System.out.println(obj.hashCode());
}
A.

42

B.

Runtime Exception

C.

Compile Error at line 2

D.

Compile Error at line 5

Answer & Explanation

Answer: Option A
Explanation:
This code is an example of an anonymous inner class. They can be declared to extend another class or
implement a single interface. Since they have no name you can not use the " new" keyword on them.
In this case the annoynous class is extending the Object class. Within the {} you place the methods you
want for that class. After this class has been declared its methods can be used by that object in the usual
way e.g. objectname.annoymousClassMethod()

<<38>>

Operators and Assignments

1.

What will be the output of the program?


class PassA
{
public static void main(String [] args)
{
PassA p = new PassA();
p.start();
}
void start()
{
long [] a1 = {3,4,5};
long [] a2 = fix(a1);
System.out.print(a1[0] + a1[1] + a1[2] + " ");
System.out.println(a2[0] + a2[1] + a2[2]);
}
long [] fix(long [] a3)
{
a3[1] = 7;
return a3;
}
}
A.

12 15

B.

15 15

C.

345375

D.

375375

Answer & Explanation

Answer: Option B
Explanation:
Output: 15 15
The reference variables a1 and a3 refer to the same long array object. When the [1]element is updated in
the fix() method, it is updating the array referred to by a1. The reference variable a2 refers to the same
array object.
So Output: 3+7+5+" "3+7+5
Output: 15 15 Because Numeric values will be added

2.

What will be the output of the program?


class Test
{
public static void main(String [] args)
{
Test p = new Test();
p.start();
}
void start()
{
boolean b1 = false;
boolean b2 = fix(b1);
System.out.println(b1 + " " + b2);
}
boolean fix(boolean b1)
{
b1 = true;
return b1;
}
}
A.

true true

B.

false true

C.

true false

D.

false false

Answer & Explanation

Answer: Option B
Explanation:
The boolean b1 in the fix() method is a different boolean than the b1 in the start()method. The b1 in

<<39>>

the start() method is not updated by the fix() method.

3.

What will be the output of the program?


class PassS
{
public static void main(String [] args)
{
PassS p = new PassS();
p.start();
}
void start()
{
String s1 = "slip";
String s2 = fix(s1);
System.out.println(s1 + " " + s2);
}
String fix(String s1)
{
s1 = s1 + "stream";
System.out.print(s1 + " ");
return "stream";
}
}
A.

slip stream

B.

slipstream stream

C.

stream slip stream

D.

slipstream slip stream

Answer & Explanation

Answer: Option D
Explanation:
When the fix() method is first entered, start()'s s1 and fix()'s s1 reference variables both refer to
the same String object (with a value of "slip"). Fix()'s s1 is reassigned to a new object that is created
when the concatenation occurs (this second String object has a value of "slipstream"). When the program
returns to start(), another String object is created, referred to by s2 and with a value of "stream".

4.

What will be the output of the program?


class BitShift
{
public static void main(String [] args)
{
int x = 0x80000000;
System.out.print(x + " and ");
x = x >>> 31;
System.out.println(x);
}
}
A.

-2147483648 and 1

B.

0x80000000 and 0x00000001

C.

-2147483648 and -1

D.

1 and -2147483648

Answer & Explanation

Answer: Option A
Explanation:
Option A is correct. The >>> operator moves all bits to the right, zero filling the left bits. The bit
transformation looks like this:
Before: 1000 0000 0000 0000 0000 0000 0000 0000
After: 0000 0000 0000 0000 0000 0000 0000 0001

<<40>>

Option C is incorrect because the >>> operator zero fills the left bits, which in this case changes the sign
of x, as shown.
Option B is incorrect because the output method print() always displays integers in base 10.
Option D is incorrect because this is the reverse order of the two output numbers.

5.

What will be the output of the program?


class Equals
{
public static void main(String [] args)
{
int x = 100;
double y = 100.1;
boolean b = (x = y); /* Line 7 */
System.out.println(b);
}
}
A.

true

B.

false

C.

Compilation fails

D.

An exception is thrown at runtime

Answer & Explanation

Answer: Option C
Explanation:
The code will not compile because in line 7, the line will work only if we use (x==y) in the line.
The == operator compares values to produce a boolean, whereas the = operator assigns a value to
variables.
Option A, B, and D are incorrect because the code does not get as far as compiling. If we corrected this
code, the output would be false.
6.

What will be the output of the program?


class Test
{
public static void main(String [] args)
{
int x=20;
String sup = (x < 15) ? "small" : (x < 22)? "tiny" : "huge";
System.out.println(sup);
}
}
A.

small

B.

tiny

C.

huge

D.

Compilation fails

Answer & Explanation

Answer: Option B
Explanation:
This is an example of a nested ternary operator. The second evaluation (x < 22) istrue, so the "tiny"
value is assigned to sup.

7.

What will be the output of the program?


class Test
{
public static void main(String [] args)
{
int x= 0;
int y= 0;
for (int z = 0; z < 5; z++)
{
if (( ++x > 2 ) && (++y > 2))
{
x++;
}

<<41>>

}
System.out.println(x + " " + y);
}
}
A.

52

B.

53

C.

63

D.

64

Answer & Explanation

Answer: Option C
Explanation:
In the first two iterations x is incremented once and y is not because of the short circuit&& operator. In the
third and forth iterations x and y are each incremented, and in the fifth iteration x is doubly incremented
and y is incremented.

8.

What will be the output of the program?


class Test
{
public static void main(String [] args)
{
int x= 0;
int y= 0;
for (int z = 0; z < 5; z++)
{
if (( ++x > 2 ) || (++y > 2))
{
x++;
}
}
System.out.println(x + " " + y);
}
}
A.

53

B.

82

C.

83

D.

85

Answer & Explanation

Answer: Option B
Explanation:
The first two iterations of the for loop both x and y are incremented. On the third iteration x is
incremented, and for the first time becomes greater than 2. The short circuit or operator || keeps y from
ever being incremented again and x is incremented twice on each of the last three iterations.

9.

What will be the output of the program?


class Bitwise
{
public static void main(String [] args)
{
int x = 11 & 9;
int y = x ^ 3;
System.out.println( y | 12 );
}
}
A.

B.

C.

D.

14

Answer & Explanation

Answer: Option D
Explanation:
The & operator produces a 1 bit when both bits are 1. The result of the & operation is 9. The ^ operator
produces a 1 bit when exactly one bit is 1; the result of this operation is 10. The | operator produces a 1
bit when at least one bit is 1; the result of this operation is 14.

<<42>>

10. What will be the output of the program?


class SSBool
{
public static void main(String [] args)
{
boolean b1 = true;
boolean b2 = false;
boolean b3 = true;
if ( b1 & b2 | b2 & b3 | b2 ) /* Line 8 */
System.out.print("ok ");
if ( b1 & b2 | b2 & b3 | b2 | b1 ) /*Line 10*/
System.out.println("dokey");
}
}
A.

ok

B.

dokey

C.

ok dokey

D.

No output is produced

E.

Compilation error

Answer & Explanation

Answer: Option B
Explanation:
The & operator has a higher precedence than the | operator so that on line 8 b1 and b2are evaluated
together as are b2 & b3. The final b1 in line 10 is what causes that if test to be true. Hence it prints
"dokey".
11. What will be the output of the program?
class SC2
{
public static void main(String [] args)
{
SC2 s = new SC2();
s.start();
}
void start()
{
int a = 3;
int b = 4;
System.out.print(" " + 7
System.out.print(a + b);
System.out.print(" " + a
System.out.print(foo() +
System.out.println(a + b
}

+ 2 + " ");
+ b + " ");
a + b + " ");
+ foo());

String foo()
{
return "foo";
}
}
A.

9 7 7 foo 7 7foo

B.

72 34 34 foo34 34foo

C.

9 7 7 foo34 34foo

D.

72 7 34 foo34 7foo

Answer & Explanation

Answer: Option D
Explanation:
Because all of these expressions use the + operator, there is no precedence to worry about and all of the
expressions will be evaluated from left to right. If either operand being evaluated is a String,
the + operator will concatenate the two operands; if both operands are numeric, the + operator will add

<<43>>

the two operands.

12. What will be the output of the program?


class Test
{
static int s;
public static void main(String [] args)
{
Test p = new Test();
p.start();
System.out.println(s);
}
void start()
{
int x = 7;
twice(x);
System.out.print(x + " ");
}
void twice(int x)
{
x = x*2;
s = x;
}
}
A.

77

B.

7 14

C.

14 0

D.

14 14

Answer & Explanation

Answer: Option B
Explanation:
The int x in the twice() method is not the same int x as in the start() method.Start()'s x is not
affected by the twice() method. The instance variable s is updated by twice()'s x, which is 14.

13. What will be the output of the program?


class Two
{
byte x;
}
class PassO
{
public static void main(String [] args)
{
PassO p = new PassO();
p.start();
}
void start()
{
Two t = new Two();
System.out.print(t.x + " ");
Two t2 = fix(t);
System.out.println(t.x + " " + t2.x);
}
Two fix(Two tt)
{
tt.x = 42;
return tt;
}
}
A.

null null 42

B.

0 0 42

C.

0 42 42

D.

000

Answer & Explanation

<<44>>

Answer: Option C
Explanation:
In the fix() method, the reference variable tt refers to the same object (class Two) as the t reference
variable. Updating tt.x in the fix() method updates t.x (they are one in the same object). Remember
also that the instance variable x in the Two class is initialized to 0.

14. What will be the output of the program?


class BoolArray
{
boolean [] b = new boolean[3];
int count = 0;
void set(boolean [] x, int i)
{
x[i] = true;
++count;
}
public static void main(String [] args)
{
BoolArray ba = new BoolArray();
ba.set(ba.b, 0);
ba.set(ba.b, 2);
ba.test();
}
void test()
{
if ( b[0] && b[1] | b[2] )
count++;
if ( b[1] && b[(++count - 2)] )
count += 7;
System.out.println("count = " + count);
}
}
A.

count = 0

B.

count = 2

C.

count = 3

D.

count = 4

Answer & Explanation

Answer: Option C
Explanation:
The reference variables b and x both refer to the same boolean array. count is incremented for each call
to the set() method, and once again when the first if test istrue. Because of the && short circuit
operator, count is not incremented during the second if test.

15. What will be the output of the program?


public class Test
{
public static void leftshift(int i, int j)
{
i <<= j;
}
public static void main(String args[])
{
int i = 4, j = 2;
leftshift(i, j);
System.out.printIn(i);
}
}
A.

B.

C.

D.

16

Answer & Explanation

Answer: Option B
Explanation:
Java only ever passes arguments to a method by value (i.e. a copy of the variable) and never by

<<45>>

reference. Therefore the value of the variable i remains unchanged in themain method.
If you are clever you will spot that 16 is 4 multiplied by 2 twice, (4 * 2 * 2) = 16. If you had 16 left shifted
by three bits then 16 * 2 * 2 * 2 = 128. If you had 128 right shifted by 2 bits then 128 / 2 / 2 = 32.
Keeping these points in mind, you don't have to go converting to binary to do the left and right bit shifts.

<<46>>

Flow Control
1.

What will be the output of the program?


int i = l, j = -1;
switch (i)
{
case 0, 1: j = 1; /* Line 4 */
case 2: j = 2;
default: j = 0;
}
System.out.println("j = " + j);
A.

j = -1

B.

j=0

C.

j=1

D.

Compilation fails.

Answer & Explanation

Answer: Option D
Explanation:
The case statement takes only a single argument. The case statement on line 4 is given two arguments so
the compiler complains.

2.

What will be the output of the program?


int i = 1, j = 10;
do
{
if(i > j)
{
break;
}
j--;
} while (++i < 5);
System.out.println("i = " + i + " and j = " + j);
A.

i = 6 and j = 5

B.

i = 5 and j = 5

C.

i = 6 and j = 4

D.

i = 5 and j = 6

Answer & Explanation

Answer: Option D
Explanation:
This loop is a do-while loop, which always executes the code block within the block at least once, due to
the testing condition being at the end of the loop, rather than at the beginning. This particular loop is
exited prematurely if i becomes greater than j.
The order is, test i against j, if bigger, it breaks from the loop, decrements j by one, and then tests the
loop condition, where a pre-incremented by one i is tested for being lower than 5. The test is at the end of
the loop, so i can reach the value of 5 before it fails. So it goes, start:
1, 10
2, 9
3, 8
4, 7
5, 6 loop condition fails.

3.

What will be the output of the program?


public class Switch2
{
final static short x = 2;
public static int y = 0;
public static void main(String [] args)
{
for (int z=0; z < 3; z++)
{
switch (z)
{
case x: System.out.print("0 ");
case x-1: System.out.print("1 ");

<<47>>

case x-2: System.out.print("2 ");


}
}
}
}
A.

012

B.

012122

C.

210100

D.

212012

Answer & Explanation

Answer: Option D
Explanation:
The case expressions are all legal because x is marked final, which means the expressions can be
evaluated at compile time. In the first iteration of the for loop case x-2 matches, so 2 is printed. In the
second iteration, x-1 is matched so 1 and 2 are printed (remember, once a match is found all remaining
statements are executed until a break statement is encountered). In the third iteration, x is matched. So 0
1 and 2 are printed.

4.

What will be the output of the program?


public class SwitchTest
{
public static void main(String[] args)
{
System.out.println("value =" + switchIt(4));
}
public static int switchIt(int x)
{
int j = 1;
switch (x)
{
case l: j++;
case 2: j++;
case 3: j++;
case 4: j++;
case 5: j++;
default: j++;
}
return j + x;
}
}
A.

value = 2

B.

value = 4

C.

value = 6

D.

value = 8

Answer & Explanation

Answer: Option D
Explanation:
Because there are no break statements, once the desired result is found, the program continues though
each of the remaining options.

5.

What will be the output of the program?


public class If2
{
static boolean b1, b2;
public static void main(String [] args)
{
int x = 0;
if ( !b1 ) /* Line 7 */
{
if ( !b2 ) /* Line 9 */
{
b1 = true;
x++;
if ( 5 > 6 )
{
x++;
}
if ( !b1 )

<<48>>

x =
else if
x =
else if
x =

x
(
x
(
x

+ 10;
b2 = true ) /* Line 19 */
+ 100;
b1 | b2 ) /* Line 21 */
+ 1000;

}
}
System.out.println(x);
}
}
A.

B.

C.

101

D.

111

Answer & Explanation

Answer: Option C
Explanation:
As instance variables, b1 and b2 are initialized to false. The if tests on lines 7 and 9 are successful so b1 is
set to true and x is incremented. The next if test to succeed is on line 19 (note that the code is not testing
to see if b2 is true, it is setting b2 to be true). Since line 19 was successful, subsequent else-if's (line 21)
will be skipped.
6.

What will be the output of the program?


public class Switch2
{
final static short x = 2;
public static int y = 0;
public static void main(String [] args)
{
for (int z=0; z < 3; z++)
{
switch (z)
{
case y: System.out.print("0 ");
/* Line 11 */
case x-1: System.out.print("1 "); /* Line 12 */
case x: System.out.print("2 ");
/* Line 13 */
}
}
}
}
A.

012

B.

012122

C.

Compilation fails at line 11.

D.

Compilation fails at line 12.

Answer & Explanation

Answer: Option C
Explanation:
Case expressions must be constant expressions. Since x is marked final, lines 12 and 13 are legal;
however y is not a final so the compiler will fail at line 11.

7.

What will be the output of the program?


public class If1
{
static boolean b;
public static void main(String [] args)
{
short hand = 42;
if ( hand < 50 && !b ) /* Line 7 */
hand++;
if ( hand > 50 );
/* Line 9 */
else if ( hand > 40 )
{
hand += 7;
hand++;
}

<<49>>

else
--hand;
System.out.println(hand);
}
}
A.

41

B.

42

C.

50

D.

51

Answer & Explanation

Answer: Option D
Explanation:
In Java, boolean instance variables are initialized to false, so the if test on line 7 is true and hand is
incremented. Line 9 is legal syntax, a do nothing statement. The else-if is true so hand has 7 added to it
and is then incremented.

8.

What will be the output of the program?


public class Test
{
public static void main(String [] args)
{
int I = 1;
do while ( I < 1 )
System.out.print("I is " + I);
while ( I > 1 ) ;
}
}
A.

I is 1

B.

I is 1 I is 1

C.

No output is produced.

D.

Compilation error

Answer & Explanation

Answer: Option C
Explanation:
There are two different looping constructs in this problem. The first is a do-while loop and the second is a
while loop, nested inside the do-while. The body of the do-while is only a single statement-brackets are not
needed. You are assured that the while expression will be evaluated at least once, followed by an
evaluation of the do-while expression. Both expressions are false and no output is produced.

9.

What will be the output of the program?


int x = l, y = 6;
while (y--)
{
x++;
}
System.out.println("x = " + x +" y = " + y);
A.

x=6y=0

B.

x=7y=0

C.

x = 6 y = -1

D.

Compilation fails.

Answer & Explanation

Answer: Option D
Explanation:
Compilation fails because the while loop demands a boolean argument for it's looping condition, but in the
code, it's given an int argument.

while(true) { //insert code here }

10. What will be the output of the program?


int I = 0;
outer:

<<50>>

while (true)
{
I++;
inner:
for (int j = 0; j < 10; j++)
{
I += j;
if (j == 3)
continue inner;
break outer;
}
continue outer;
}
System.out.println(I);
A.

B.

C.

D.

Answer & Explanation

Answer: Option A
Explanation:
The program flows as follows: I will be incremented after the while loop is entered, then I will be
incremented (by zero) when the for loop is entered. The if statement evaluates to false, and
the continue statement is never reached. The breakstatement tells the JVM to break out of the outer
loop, at which point I is printed and the fragment is done.
11. What will be the output of the program?
for (int i = 0; i < 4; i += 2)
{
System.out.print(i + " ");
}
System.out.println(i); /* Line 5 */
A.

024

B.

0245

C.

01234

D.

Compilation fails.

Answer & Explanation

Answer: Option D
Explanation:
Compilation fails on the line 5 - System.out.println(i); as the variable i has only been declared
within the for loop. It is not a recognised variable outside the code block of loop.

12. What will be the output of the program?


int x = 3;
int y = 1;
if (x = y) /* Line 3 */
{
System.out.println("x =" + x);
}
A.

x=1

B.

x=3

C.

Compilation fails.

D.

The code runs with no output.

13. What will be the output of the program?


Float f = new Float("12");
switch (f)
{
case 12: System.out.println("Twelve");
case 0: System.out.println("Zero");
default: System.out.println("Default");

<<51>>

}
A.

Zero

B.

Twelve

C.

Default

D.

Compilation fails

14. What will be the output of the program?


int i = 0;
while(1)
{
if(i == 4)
{
break;
}
++i;
}
System.out.println("i = " + i);
A.

i=0

B.

i=3

C.

i=4

D.

Compilation fails.

15. What will be the output of the program?


public class Delta
{
static boolean foo(char c)
{
System.out.print(c);
return true;
}
public static void main( String[] argv )
{
int i = 0;
for (foo('A'); foo('B') && (i < 2); foo('C'))
{
i++;
foo('D');
}
}
}
A.

ABDCBDCB

B.

ABCDABCD

C.

Compilation fails.

D.

An exception is thrown at runtime.

16. What will be the output of the program?


for(int i = 0; i < 3; i++)
{
switch(i)
{
case 0: break;
case 1: System.out.print("one ");
case 2: System.out.print("two ");
case 3: System.out.print("three ");
}
}
System.out.println("done");
A.

done

B.

one two done

C.

one two three done

<<52>>

D.

one two three two three done

Answer & Explanation

Answer: Option D
Explanation:
The variable i will have the values 0, 1 and 2.
When i is 0, nothing will be printed because of the break in case 0.
When i is 1, "one two three" will be output because case 1, case 2 and case 3 will be executed (they
don't have break statements).
When i is 2, "two three" will be output because case 2 and case 3 will be executed (again no break
statements).
Finally, when the for loop finishes "done" will be output.

17. What will be the output of the program?


public class Test
{
public static void main(String args[])
{
int i = 1, j = 0;
switch(i)
{
case 2: j += 6;
case 4: j += 1;
default: j += 2;
case 0: j += 4;
}
System.out.println("j = " + j);
}
}
A.

j=0

B.

j=2

C.

j=4

D.

j=6

Answer & Explanation

Answer: Option D
Explanation:
Because there are no break statements, the program gets to the default case and adds 2to j, then goes
to case 0 and adds 4 to the new j. The result is j = 6.

18. What will be the output of the program?


boolean bool = true;
if(bool = false) /* Line 2 */
{
System.out.println("a");
}
else if(bool) /* Line 6 */
{
System.out.println("b");
}
else if(!bool) /* Line 10 */
{
System.out.println("c"); /* Line 12 */
}
else
{
System.out.println("d");
}
A.

B.

C.

D.

Answer & Explanation

Answer: Option C
Explanation:
Look closely at line 2, is this an equality check (==) or an assignment (=). The condition at line 2 evaluates
to false and also assigns false to bool. bool is now false so the condition at line 6 is not true. The
condition at line 10 checks to see if bool is not true (if !(bool == true) ), it isn't so line 12 is

<<53>>

executed.

19. What will be the output of the program?


public class Switch2
{
final static short x = 2;
public static int y = 0;
public static void main(String [] args)
{
for (int z=0; z < 4; z++)
{
switch (z)
{
case x: System.out.print("0 ");
default: System.out.print("def ");
case x-1: System.out.print("1 ");
break;
case x-2: System.out.print("2 ");
}
}
}
}
A.

0 def 1

B.

2 1 0 def 1

C.

2 1 0 def def

D.

2 1 0 def 1 def 1

Answer & Explanation

Answer: Option D
Explanation:
When z == 0 , case x-2 is matched. When z == 1, case x-1 is matched and then the break occurs.
When z == 2, case x, then default, then x-1 are all matched. When z == 3, default, then x-1 are
matched. The rules for default are that it will fall through from above like any other case (for instance
when z == 2), and that it will match when no other cases match (for instance when z==3).

20. What will be the output of the program?


int i = 0, j = 5;
tp: for (;;)
{
i++;
for (;;)
{
if(i > --j)
{
break tp;
}
}
System.out.println("i =" + i + ", j = " + j);
A.

i = 1, j = 0

B.

i = 1, j = 4

C.

i = 3, j = 4

D.

Compilation fails.

Answer & Explanation

Answer: Option D
Explanation:
If you examine the code carefully you will notice a missing curly bracket at the end of the code, this would
cause the code to fail.
21. What will be the output of the program?
int I = 0;
label:
if (I < 2) {
System.out.print("I is " + I);
I++;
continue label;
}

<<54>>

A.

I is 0

B.

I is 0 I is 1

C.

Compilation fails.

D.

None of the above

Answer & Explanation

Answer: Option C
Explanation:
The code will not compile because a continue statement can only occur in a looping construct. If this
syntax were legal, the combination of the continue and the ifstatements would create a kludgey kind of
loop, but the compiler will force you to write cleaner code than this.

<<55>>

Java.lang Class
1.

What will be the output of the program?


String x = new String("xyz");
String y = "abc";
x = x + y;
How many String objects have been created?
A.

B.

C.

D.

Answer & Explanation

Answer: Option C
Explanation:
Line 1 creates two, one referred to by x and the lost String " xyz". Line 2 creates one (for a total of three).
Line 3 creates one more (for a total of four), the concatenated String referred to by x with a value of
"xyzabc".

2.

What will be the output of the program?


public class WrapTest
{
public static void main(String [] args)
{
int result = 0;
short s = 42;
Long x = new Long("42");
Long y = new Long(42);
Short z = new Short("42");
Short x2 = new Short(s);
Integer y2 = new Integer("42");
Integer z2 = new Integer(42);
if (x == y) /* Line 13 */
result = 1;
if (x.equals(y) ) /* Line 15 */
result = result + 10;
if (x.equals(z) ) /* Line 17 */
result = result + 100;
if (x.equals(x2) ) /* Line 19 */
result = result + 1000;
if (x.equals(z2) ) /* Line 21 */
result = result + 10000;
System.out.println("result = " + result);
}
}
A.

result = 1

B.

result = 10

C.

result = 11

D.

result = 11010

Answer & Explanation

Answer: Option B
Explanation:
Line 13 fails because == compares reference values, not object values. Line 15 succeeds because
both String and primitive wrapper constructors resolve to the same value (except for the Character
wrapper). Lines 17, 19, and 21 fail because the equals()method fails if the object classes being
compared are different and not in the same tree hierarchy.

<<56>>

3.

What will be the output of the program?


public class BoolTest
{
public static void main(String [] args)
{
int result = 0;
Boolean
Boolean
Boolean
Boolean

b1
b2
b3
b4

=
=
=
=

new
new
new
new

Boolean("TRUE");
Boolean("true");
Boolean("tRuE");
Boolean("false");

if (b1 == b2) /* Line 10 */


result = 1;
if (b1.equals(b2) ) /* Line 12 */
result = result + 10;
if (b2 == b4) /* Line 14 */
result = result + 100;
if (b2.equals(b4) ) /* Line 16 */
result = result + 1000;
if (b2.equals(b3) ) /* Line 18 */
result = result + 10000;
System.out.println("result = " + result);
}
}
A.

B.

C.

10

D.

10010

Answer & Explanation

Answer: Option D
Explanation:
Line 10 fails because b1 and b2 are two different objects. Lines 12 and 18 succeed because
the Boolean String constructors are case insensitive. Lines 14 and 16 fail because true is not equal to
false.

4.

What will be the output of the program?


public class ObjComp
{
public static void main(String [] args )
{
int result = 0;
ObjComp oc = new ObjComp();
Object o = oc;
if (o == oc)
result = 1;
if (o != oc)
result = result + 10;
if (o.equals(oc) )
result = result + 100;
if (oc.equals(o) )
result = result + 1000;
System.out.println("result = " + result);
}
}
A.

B.

10

C.

101

<<57>>

D.

1101

Answer & Explanation

Answer: Option D
Explanation:
Even though o and oc are reference variables of different types, they are both referring to the same
object. This means that == will resolve to true and that the defaultequals() method will also resolve to
true.

5.

What will be the output of the program?


public class Example
{
public static void main(String [] args)
{
double values[] = {-2.3, -1.0, 0.25, 4};
int cnt = 0;
for (int x=0; x < values.length; x++)
{
if (Math.round(values[x] + .5) == Math.ceil(values[x]))
{
++cnt;
}
}
System.out.println("same results " + cnt + " time(s)");
}
}
A.

same results 0 time(s)

B.

same results 2 time(s)

C.

same results 4 time(s)

D.

Compilation fails.

Answer & Explanation

Answer: Option B
Explanation:
Math.round() adds .5 to the argument then performs a floor(). Since the code adds an
additional .5 before round() is called, it's as if we are adding 1 then doing afloor(). The values that
start out as integer values will in effect be incremented by 1on the round() side but not on
the ceil() side, and the noninteger values will end up equal.
6.

What will be the output of the program?


public class Test178
{
public static void main(String[] args)
{
String s = "foo";
Object o = (Object)s;
if (s.equals(o))
{
System.out.print("AAA");
}
else
{
System.out.print("BBB");
}
if (o.equals(s))
{
System.out.print("CCC");
}
else
{
System.out.print("DDD");
}
}
}
A.

AAACCC

<<58>>

B.

AAADDD

C.

BBBCCC

D.

BBBDDD

Answer & Explanation

Answer: Option A

7.

What will be the output of the program?


String x = "xyz";
x.toUpperCase(); /* Line 2 */
String y = x.replace('Y', 'y');
y = y + "abc";
System.out.println(y);
A.

abcXyZ

B.

abcxyz

C.

xyzabc

D.

XyZabc

Answer & Explanation

Answer: Option C
Explanation:
Line 2 creates a new String object with the value "XYZ", but this new object is immediately lost because
there is no reference to it. Line 3 creates a new String object referenced by y. This new String object
has the value "xyz" because there was no "Y" in the String object referred to by x. Line 4 creates a
new String object, appends "abc" to the value "xyz", and refers y to the result.

8.

What will be the output of the program?


int i = (int) Math.random();
A.

i=0

B.

i=1

C.

value of i is undetermined

D.

Statement causes a compile error

Answer & Explanation

Answer: Option A
Explanation:
Math.random() returns a double value greater than or equal to 0 and less than 1. Its value is stored to
an int but as this is a narrowing conversion, a cast is needed to tell the compiler that you are aware that
there may be a loss of precision.
The value after the decimal point is lost when you cast a double to int and you are left with 0.

9.

What will be the output of the program?


class A
{
public A(int x){}
}
class B extends A { }
public class test
{
public static void main (String args [])
{
A a = new B();
System.out.println("complete");
}
}

<<59>>

A.

It compiles and runs printing nothing

B.

Compiles but fails at runtime

C.

Compile Error

D.

Prints "complete"

Answer & Explanation

Answer: Option C
Explanation:
No constructor has been defined for class B therefore it will make a call to the default constructor but
since class B extends class A it will also call the Super() default constructor.
Since a constructor has been defined in class A java will no longer supply a default constructor
for class A therefore when class B calls class A's default constructor it will result in a compile error.

10. What will be the output of the program?


int i = 1, j = 10;
do
{
if(i++ > --j) /* Line 4 */
{
continue;
}
} while (i < 5);
System.out.println("i = " + i + "and j = " + j); /* Line 9 */
A.

i = 6 and j = 5

B.

i = 5 and j = 5

C.

i = 6 and j = 6

D.

i = 5 and j = 6

Answer & Explanation

Answer: Option D
Explanation:
This question is not testing your knowledge of the continue statement. It is testing your knowledge of the
order of evaluation of operands. Basically the prefix and postfix unary operators have a higher order of
evaluation than the relational operators. So on line 4 the variable i is incremented and the variable j is
decremented before the greater than comparison is made. As the loop executes the comparison on line 4
will be:
if(i > j)
if(2 > 9)
if(3 > 8)
if(4 > 7)
if(5 > 6) at this point i is not less than 5, therefore the loop terminates and line 9 outputs the values
of i and j as 5 and 6 respectively.
The continue statement never gets to execute because i never reaches a value that is greater than j.

11. What will be the output of the program?


public class ExamQuestion7
{
static int j;
static void methodA(int i)
{
boolean b;
do
{
b = i<10 | methodB(4); /* Line 9 */
b = i<10 || methodB(8); /* Line 10 */
}while (!b);
}
static boolean methodB(int i)
{
j += i;
return true;

<<60>>

}
public static void main(String[] args)
{
methodA(0);
System.out.println( "j = " + j );
}
}
A.

j=0

B.

j=4

C.

j=8

D.

The code will run with no output

Answer & Explanation

Answer: Option B
Explanation:
The lines to watch here are lines 9 & 10. Line 9 features the non-shortcut version of theOR operator so
both of its operands will be evaluated and therefore methodB(4) is executed.
However line 10 has the shortcut version of the OR operator and if the 1st of its operands evaluates to true
(which in this case is true), then the 2nd operand isn't evaluated, so methodB(8) never gets called.
The loop is only executed once, b is initialized to false and is assigned true on line 9. Thus j = 4.

12. What will be the output of the program?


try
{
Float f1 = new Float("3.0");
int x = f1.intValue();
byte b = f1.byteValue();
double d = f1.doubleValue();
System.out.println(x + b + d);
}
catch (NumberFormatException e) /* Line 9 */
{
System.out.println("bad number"); /* Line 11 */
}
A.

9.0

B.

bad number

C.

Compilation fails on line 9.

D.

Compilation fails on line 11.

Answer & Explanation

Answer: Option A
Explanation:
The xxxValue() methods convert any numeric wrapper object's value to any primitive type. When
narrowing is necessary, significant bits are dropped and the results are difficult to calculate.

13. What will be the output of the program?


class Q207
{
public static void main(String[] args)
{
int i1 = 5;
int i2 = 6;
String s1 = "7";
System.out.println(i1 + i2 + s1); /* Line 8 */
}
}
A.

18

B.

117

<<61>>

C.

567

D.

Compiler error

Answer & Explanation

Answer: Option B
Explanation:
This question is about the + (plus) operator and the overriden + (string cocatanation) operator. The rules
that apply when you have a mixed expression of numbers and strings are:
If either operand is a String, the + operator concatenates the operands.
If both operands are numeric, the + operator adds the operands.
The expression on line 6 above can be read as "Add the values i1 and i2 together, then take the sum and
convert it to a string and concatenate it with the String from the variable s1". In code, the compiler
probably interprets the expression on line 8 above as:

System.out.println( new StringBuffer()


.append(new Integer(i1 + i2).toString())
.append(s1)
.toString() );

14. What will be the output of the program?


public class SqrtExample
{
public static void main(String [] args)
{
double value = -9.0;
System.out.println( Math.sqrt(value));
}
}
A.

3.0

B.

-3.0

C.

NaN

D.

Compilation fails.

15. What will be the output of the program?


String s = "ABC";
s.toLowerCase();
s += "def";
System.out.println(s);
A.

ABC

B.

abc

C.

ABCdef

D.

Compile Error

Answer & Explanation

Answer: Option C
Explanation:
String objects are immutable. The object s above is set to "ABC". Now ask yourself if this object is
changed and if so where - remember strings are immutable.
Line 2 returns a string object but does not change the originag string object s, so after line 2 s is still
"ABC".
So what's happening on line 3? Java will treat line 3 like the following:

s = new StringBuffer().append(s).append("def").toString();
This effectively creates a new String object and stores its reference in the variable s, the
old String object containing "ABC" is no longer referenced by a live thread and becomes available for
garbage collection.

16. What will be the output of the program?

<<62>>

public class NFE


{
public static void main(String [] args)
{
String s = "42";
try
{
s = s.concat(".5"); /* Line 8 */
double d = Double.parseDouble(s);
s = Double.toString(d);
int x = (int) Math.ceil(Double.valueOf(s).doubleValue());
System.out.println(x);
}
catch (NumberFormatException e)
{
System.out.println("bad number");
}
}
}
A.

42

B.

42.5

C.

43

D.

bad number

Answer & Explanation

Answer: Option C
Explanation:
All of this code is legal, and line 8 creates a new String with a value of " 42.5". Lines 9 and 10 convert
the String to a double and then back again. Line 11 is fun Math.ceil()'s argument expression is
evaluated first. We invoke the valueOf()method that returns an anonymous Double object (with a value
of 42.5). Then thedoubleValue() method is called (invoked on the newly created Double object), and
returns a double primitive (there and back again), with a value of (you guessed it)42.5.
The ceil() method converts this to 43.0, which is cast to an int and assigned to x.

17. What will be the output of the program?

System.out.println(Math.sqrt(-4D));
A.

-2

B.

NaN

C.

Compile Error

D.

Runtime Exception

Answer & Explanation

Answer: Option B
Explanation:
It is not possible in regular mathematics to get a value for the square-root of a negative number therefore
a NaN will be returned because the code is valid.

18. What will be the output of the program?


interface Foo141
{
int k = 0; /* Line 3 */
}
public class Test141 implements Foo141
{
public static void main(String args[])
{
int i;
Test141 test141 = new Test141();
i = test141.k; /* Line 11 */
i = Test141.k;
i = Foo141.k;
}

<<63>>

}
A.

Compilation fails.

B.

Compiles and runs ok.

C.

Compiles but throws an Exception at runtime.

D.

Compiles but throws a RuntimeException at runtime.

Answer & Explanation

Answer: Option B
Explanation:
The variable k on line 3 is an interface constant, it is implicitly public, static,
andfinal. Static variables can be referenced in two ways:
Via a reference to any instance of the class (line 11)
Via the class name (line 12).

19. What will be the output of the program?


String a = "newspaper";
a = a.substring(5,7);
char b = a.charAt(1);
a = a + b;
System.out.println(a);
A.

apa

B.

app

C.

apea

D.

apep

Answer & Explanation

Answer: Option B
Explanation:
Both substring() and charAt() methods are indexed with a zero-base, andsubstring() returns a
String of length arg2 - arg1.

20. What will be the output of the program?


public class StringRef
{
public static void main(String [] args)
{
String s1 = "abc";
String s2 = "def";
String s3 = s2;
/* Line 7 */
s2 = "ghi";
System.out.println(s1 + s2 + s3);
}
}
A.

abcdefghi

B.

abcdefdef

C.

abcghidef

D.

abcghighi

Answer & Explanation

Answer: Option C
Explanation:
After line 7 executes, both s2 and s3 refer to a String object that contains the value "def". When line 8
executes, a new String object is created with the value "ghi", to which s2 refers. The reference
variable s3 still refers to the (immutable) String object with the value "def".
21. What will be the output of the program?

<<64>>

public class Test138


{
public static void stringReplace (String text)
{
text = text.replace ('j' , 'c'); /* Line 5 */
}
public static void bufferReplace (StringBuffer text)
{
text = text.append ("c"); /* Line 9 */
}
public static void main (String args[])
{
String textString = new String ("java");
StringBuffer textBuffer = new StringBuffer ("java"); /* Line 14 */
stringReplace(textString);
bufferReplace(textBuffer);
System.out.println (textString + textBuffer);
}
}
A.

java

B.

javac

C.

javajavac

D.

Compile error

Answer & Explanation

Answer: Option C
Explanation:
A string is immutable, it cannot be changed, that's the reason for the StringBufferclass.
The stringReplace method does not change the string declared on line 14, so this remains set to
"java".
Method parameters are always passed by value - a copy is passed into the method - if the copy changes,
the original remains intact, line 5 changes the reference i.e. text points to a new String object, however
this is lost when the method completes. ThetextBuffer is a StringBuffer so it can be changed.
This change is carried out on line 9, so "java" becomes "javac", the text reference on line 9 remains
unchanged. This gives us the output of "javajavac"

22. What will be the output of the program?


class Tree { }
class Pine extends Tree { }
class Oak extends Tree { }
public class Forest1
{
public static void main (String [] args)
{
Tree tree = new Pine();
if( tree instanceof Pine )
System.out.println ("Pine");
else if( tree instanceof Tree )
System.out.println ("Tree");
else if( tree instanceof Oak )
System.out.println ( "Oak" );
else
System.out.println ("Oops ");
}
}
A.

Pine

B.

Tree

C.

Forest

D.

Oops

Answer & Explanation

Answer: Option A
Explanation:

<<65>>

The program prints "Pine".

23. What will be the output of the program?


String d = "bookkeeper";
d.substring(1,7);
d = "w" + d;
d.append("woo"); /* Line 4 */
System.out.println(d);
A.

wookkeewoo

B.

wbookkeeper

C.

wbookkeewoo

D.

Compilation fails.

Answer & Explanation

Answer: Option D
Explanation:
In line 4 the code calls a StringBuffer method, append() on a String object.

24. What will be the output of the program?


String a = "ABCD";
String b = a.toLowerCase();
b.replace('a','d');
b.replace('b','c');
System.out.println(b);
A.

abcd

B.

ABCD

C.

dccd

D.

dcba

Answer & Explanation

Answer: Option A
Explanation:
String objects are immutable, they cannot be changed, in this case we are talking about the replace
method which returns a new String object resulting from replacing all occurrences of oldChar in this
string with newChar.

b.replace(char oldChar, char newChar);


But since this is only a temporary String it must either be put to use straight away i.e.
System.out.println(b.replace('a','d'));
Or a new variable must be assigned its value i.e.

String c = b.replace('a','d');

25. What will be the output of the program?


public class ExamQuestion6
{
static int x;
boolean catch()
{
x++;
return true;
}
public static void main(String[] args)
{
x=0;
if ((catch() | catch()) || catch())
x++;
System.out.println(x);
}

<<66>>

}
A.

B.

C.

D.

Compilation Fails

Answer & Explanation

Answer: Option D
Explanation:
Initially this looks like a question about the logical and logical shortcut operators "|" and "||" but on closer
inspection it should be noticed that the name of the boolean method in this code is " catch". "catch" is a
reserved keyword in the Java language and cannot be used as a method name. Hence Compilation will fail.

26. What will be the output of the program?


public class Test
{
public static void main(String[] args)
{
final StringBuffer a = new StringBuffer();
final StringBuffer b = new StringBuffer();
new Thread()
{
public void run()
{
System.out.print(a.append("A"));
synchronized(b)
{
System.out.print(b.append("B"));
}
}
}.start();
new Thread()
{
public void run()
{
System.out.print(b.append("C"));
synchronized(a)
{
System.out.print(a.append("D"));
}
}
}.start();
}
}
A.

ACCBAD

B.

ABBCAD

C.

CDDACB

D.

Indeterminate output

Answer & Explanation

Answer: Option D
Explanation:
It gives different output while executing the same compiled code at different times.

C:\>javac Test.java
C:\>java Test
ABBCAD
C:\>java Test
ACADCB
C:\>java Test
ACBCBAD

<<67>>

C:\>java
ABBCAD
C:\>java
ACBCBAD
C:\>java
ACBCBAD
C:\>java
ABBCAD

Test
Test
Test
Test

27. What will be the output of the program?


String s = "hello";
Object o = s;
if( o.equals(s) )
{
System.out.println("A");
}
else
{
System.out.println("B");
}
if( s.equals(o) )
{
System.out.println("C");
}
else
{
System.out.println("D");
}
1.
2.
3.
4.

A
B
C
D

A.

1 and 3

B.

2 and 4

C.

3 and 4

D.

1 and 2

Answer & Explanation

Answer: Option A

28. What will be the output of the program (in jdk1.6 or above)?
public class BoolTest
{
public static void main(String [] args)
{
Boolean b1 = new Boolean("false");
boolean b2;
b2 = b1.booleanValue();
if (!b2)
{
b2 = true;
System.out.print("x ");
}
if (b1 & b2) /* Line 13 */
{
System.out.print("y ");
}
System.out.println("z");
}
}
A.

B.

xz

<<68>>

C.

yz

D.

Compilation fails.

Answer & Explanation

Answer: Option B

<<69>>

You might also like