Exam Questions Flashcards

(60 cards)

1
Q

Which access modifier should you use here to give access of the String field to class B but NOT to class C?

// filename: A.java
package foo;
public class A {
____ String s = “hello”;
}

// filename: B.java
package bar;
public class B extends A {
}

// filename: C.java
package bar;
public class C {}

A

Protected

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
2
Q

How many different objects and reference variables are created in the following code?
public void createObjects() {
Object o1 = new Object();
Object o2 = o1;
Object o3 = new Object();
o3 = o1;
}

A

2 objects, 3 reference variables

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
3
Q

What Type of Polymorphism is shown below?

public class Example {
public void doStuff() { System.out.println(“hello”); }
public void doStuff(int x) { System.out.println(x); }
}

A

Method Overloading

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
4
Q

Which code snippet will allow for the following object instantiation?
Example myExample = new Example(“foo”);

A

public class Example {
public String name;
public Example(String s) {
this.name = s;
}
}

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
5
Q

What is the output of the following code snippet?
String[] arr = {“foo”, “bar”, “foobar”, “baz”};
for (int i = 0; i < arr.length; i++) {
if (i > 1 && arr[i].length() > 3) {
System.out.println(arr[i]);
}
}

A

foobar

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
6
Q

Identify the correct output for the following code snippet.
public class Example {
public static int countStatic = 0;
public int count = 0;

public static void main(String[] args) {
Example e1 = new Example();
Example e2 = new Example();
e1.increment();
e2.increment();
System.out.println(e1.count);
System.out.println(e2.count);
System.out.println(countStatic);
}

public void increment() {
count++;
countStatic++;
}
}

A

1

1

2

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
7
Q

What is the output for the following code? Why?
String s1 = “hello”;
String s2 = “ world”;
s1.concat(s2);
System.out.println(s1);
String s3 = s1.concat(s2);
System.out.println(s3);

A

hello

hello world
Strings are immutable, therefore calling “concat” does not modify the string, but returns a new string.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
8
Q

How would you evaluate the following assertions based on the code below?
Can variable x be used at A? Why or why not?

Can variable y be used at B? Why or why not?

public class Scopes {
public void doStuff() {
int x = 1;
for (int i=0; i < 5; i++) {
int y = 1;
// A
}
// B
}
}

A

x CAN be used at A because the block scope is within the method scope and variables from an enclosing scope can always be accessed. y CANNOT be used at B because variables in block scope cannot be accessed outside of the block.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
9
Q

Identify the proper use of the interface declared in the code below.
public interface Driveable {
public void drive();
}

A

public class Car implements Driveable {
public void drive() {
System.out.println(“driving the car…”);
}
}

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
10
Q

What is the output of this code when an exception is thrown at A?
public class ExceptionExample {
public void mayThrowException() {
try {
riskyCode(); // A
System.out.println(“after A”);
} catch(Exception e) {
System.err.println(“Uh oh - something went wrong!”);
} finally {
System.out.println(“finally block”);
}
System.out.println(“continuing…”);
}
}

A

Uh oh - something went wrong!

finally block

continuing…

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
11
Q

What would be the best collection to use in the code below, if we want to ensure that no name appears twice when we print them out?
_____<String> names = getNames();
names.add("Bob");
names.add("Julie");
for (String name : names) {
System.out.println(name);
}
(assume "getNames()" returns the correct collection of names)</String>

A

Set

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
12
Q

Identify the correct type of data structure to use in the code below.
____<String, Integer> countOfWords = getCounts();
Set<String> keys = countOfWords.keySet();
for (String k : keys) {
System.out.println(countOfWords.get(k));
}</String>

A

Map

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
13
Q

Identify ALL of the Java or OOP concepts being used in the code snippet below. (select all that apply)
Generics
Polymorphism
Casting
Constructor
Wrapper Class

List<Integer> mylist = new ArrayList<>();</Integer>

A

Generics

Polymorphism

Constructor

Wrapper Class

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
14
Q

Fill in the blank to complete the JUnit test below.
public class Addition {
public int methodToTest(int x, int y) {
return x + y;
}
}
public class AdditionTest {
@Test
public void testAddPositiveInts() {
int n = 2;
int m = 3;
_______________________________
}
}

A

Assert.assertEquals(5, methodToTest(n,m));

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
15
Q

True/False
Checked exceptions must ALWAYS be caught in a try-catch block.

A

False

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
16
Q

What is correct about checked exceptions? (select all that apply)
Checked Exceptions are the same as errors.
Checked exceptions are checked at compile time.
Checked exceptions should be handled.
Checked exceptions come from the programmer writing bad code and should be fixed by the programmer .

A

Checked exceptions are checked at compile time.
Checked exceptions should be handled.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
17
Q

T/F
A try block must have a catch block.

A

False

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
18
Q

Which is true about arrays in Java?

Arrays are dynamic and can change size by adding elements.
Arrays have a fixed size and cannot grow or shrink.
Arrays are a primitive data type.
Arrays are immutable, so elements inserted into an array cannot be changed in any way.

A

Arrays have a fixed size and cannot grow or shrink.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
19
Q

Which use of the final keyword will lead to compilation errors?
public final class Example {
public final void foo() {
final int x = 4;
final int y = 3;
y++;
System.out.println(x*y);
}
}

A

on the variable y

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
20
Q

Which series of commands compiles and then runs the program “Hello.java”?

A

javac Hello.java

java Hello

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
21
Q

Match the variable scopes for each given variable in the code snippet below.
public class Greetings {
static String w = ‘welcome’;

String x = 'hello';

void speak() {
	String y = 'hi';

	for (int z=0; z < 4; z++) {
        System.out.println(z);
    }
} }
A

w Static/class scope
x Instance scope
y Method scope
z Block scope

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
22
Q

T/F
The following code snippet is how we create a class in Java.
public void buildString(String start, String add) {
String toBuild = start;
for(int i=0; i < 100; i++) {
toBuild.concat(add);
}
System.out.println(toBuild);
}

A

False

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
23
Q

T/F

You could use static variables if you want all instances of a class to have a variable with a shared value across all instances of the same class.

A

True

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
24
Q

Assume that a, b, and c refer to instances of wrapper classes. Which of the following statements are correct?
a.equals(a) will always return true.
b.equals(c) may return false even if c.equals(b) returns true.
a.equals(b) returns same as a == b.
a.equals(b) returns false if they refer to instances of different classes.

A

a.equals(a) will always return true.

a.equals(b) returns false if they refer to instances of different classes.

How well did you know this?
1
Not at all
2
3
4
5
Perfectly
25
Which of the following statements is correct about Abstract Classes? (select all that apply)) A concrete class can have multiple Abstract classes inherited. In order to inherit an abstract class when using a concrete class, we can use the keyword extends. An abstract class cannot have any concrete methods predefined. An abstract class does not need to have any predefined methods.
In order to inherit an abstract class when using a concrete class, we can use the keyword extends. An abstract class does not need to have any predefined methods.
26
Which of the following is NOT a command in the DDL sublanguage of SQL? CREATE DELETE ALTER DROP TRUNCATE
DELETE
27
Which of the following is NOT a command in the DML sublanguage of SQL? INSERT INTO UPDATE DELETE QUERY
QUERY
28
Identify the correct syntax to retrieve all attributes of the employees table who have a salary over $50k and do not work in Sales: EMPLOYEES ID Name Salary Dept
SELECT * FROM employees WHERE salary > 50000 AND dept != "Sales";
29
Which of the following are used in the Data Access Object design pattern: Abstraction via interfaces Singleton pattern via private constructor Polymorphism via method overloading Recursion
Abstraction via interfaces
30
What is the difference between the simple and prepared statement? Connection conn = getConnection(); String userInput = getInput(); Statement st = conn.createStatement(); st.executeQuery("SELECT * FROM " + userInput); PreparedStatement ps = conn.prepareStatement("SELECT * FROM ?"); ps.setString(1, userInput); ps.executeQuery();
The PreparedStatement prevents SQL injection by parameterizing and pre-compiling the query string.
31
Select the operations which are a part of DDL: SELECT CREATE ALTER UPDATE TRUNCATE DROP
CREATE ALTER TRUNCATE DROP
32
The UPDATE operation is categorized under which SQL sublanguage?
DML
33
In the statement "SELECT * FROM users" what's the * referring to?
Columns
34
What is the difference between INNER JOIN and OUTER JOIN?
Inner join will return only the rows that match based on the join predicate
35
In SQL, which JOIN will return the matching rows plus the ones that are null in the first table?
Right Join
36
T/F DriverManager is the first interface you need to use in order to set up JDBC functionality.
False
37
Which JDBC Interface is used to create an instance of a Statement?
Connection
38
What is the purpose of a ResultSet?
To use data retrieved from the database
39
Which of the following assertions about CHAR and VARCHAR are incorrect? (select two) Strings inserted into a CHAR column will be padded, while strings inserted into a VARCHAR column will not be. CHAR is fixed in length and VARCHAR is variable length. CHAR and VARCHAR can be converted between each other with no problem. A length must be defined for CHAR and VARCHAR columns.
CHAR and VARCHAR can be converted between each other with no problem. A length must be defined for CHAR and VARCHAR columns.
40
A column marked PRIMARY KEY is implicitly (select all that apply): unique final serial foreign key not null default
Unique Not Null
41
Which of the following terms is used to describe records in a database? Rows Columns Attributes Properties
Rows
42
Which of the following is NOT considered part of a database's schema? Tables Columns Table Relationships Rows
Rows
43
I would like to design a REST API so that users can send data like this to my books API to create a new book: { "ISBN": 182037184371, "Title": "Adventures of Huckleberry Finn", "Author": "Mark Twain" } What kind of HTTP method should be used for this kind of request, and where would this data be found in the request?
Use a POST request, data should be in the body
44
This is an HTTP response received from a server. What does this mean? HTTP/1.1 200 OK Access-Control-Allow-Origin: * Content-Type: text/html

Hello World

The request was completed successfully and the server returned an HTML page to the client
45
What, if anything, is wrong with this endpoint when designing a REST API? mylibrarydemo.com/api/getAllBooks
RESTful endpoints should refer to nouns, not verbs. The HTTP method in the request should instead specify the action to be taken.
46
What does this HTTP response mean that was returned from a server? HTTP/1.1 404 Not Found Date: Sun, 18 Oct 2012 10:36:20 GMT Server: Apache/2.2.14 (Win32) Content-Length: 230 Connection: Closed Content-Type: text/html; charset=iso-8859-1 404 Not Found

Not Found

The requested URL /t.html was not found on this server.

There was a client side error
47
Match the HTTP verbs to their proper usage in a RESTful API GET POST PUT DELETE
GET: Retrieves a representation of a resource POST: Adds a resource PUT: Updates a resource DELETE: Removes a resource
48
Identify the correct series of commands to: 1) Go to the "main" branch 2) See the current state of the files in the branch 3) Make a change 4) Update the remote repository
git checkout main; git status; git add; git commit; git push
49
Which of the following does NOT describe git? It is a version control software for source code Unlike subversion or mercurial, git is designed to be distributed instead of centralized Git is short for "Github" The units of work that are tracked in git are called commits
Git is short for "Github"
50
What is Git?
A Version Control System
51
What are some differences between a LinkedList and an ArrayList? Choose all that are correct A LinkedList and an ArrayList both only implement the List interface An ArrayList is the same as a LinkedList A LinkedList has nodes with pointers to the next node A LinkedList has faster insertion and deletion time than an ArrayList
A LinkedList has nodes with pointers to the next node A LinkedList has faster insertion and deletion time than an ArrayList
52
T/F HashSet is Sorted
False
53
If I add 3 of the same exact object to a HashSet, how many will be stored? If I add 3 of the same exact object to a HashSet, how many will be stored?
1
54
The correct definition for Queue?
A Collection interface that holds & processes elements in FIFO (first in, first out) order.
55
What is the Scanner class used for?
Parsing input from text into primitives and strings, from a File or InputStream
56
Which of the following is the correct lambda expression which adds two numbers and returns their sum? (int a, int b) -> { return a + b;}; (a, b) -> {return a + b;}; Both of the above. None of the above.
Both: (int a, int b) -> { return a + b;}; (a, b) -> {return a + b;};
57
T/F The Map interface defines an iterator() method.
False
58
What does NOT belong in the Java Heap? Static variables Objects String Pool Methods
Methods
59
Which of the following is not a Wrapper Class Boolean. Long. Double. Short. All of these are Wrapper classes.
All of these are Wrapper classes.
60
T/F You can assign a variable of a larger capacity to a smaller variable without casting.
False