The midterm exam will cover everything we've done thus far. The test will be short answer questions.
It will be cumulative, but will focus on topics since the midterm, especially classes, objects, and recursion.
It mostly will focus on two main areas: reading and understating code, and writing code.
There will also be conceptual questions as well.
What does this program output?
public class R1 {
public static void main(String args[]) {
int x = 0;
while (x <= 5) {
for (int i = x; i > 0; i--) {
System.out.print(x + " ");
}
x++;
}
System.out.print('\n');
}
}
Consider the following function "foo":
public static int foo(int x) {
if (x == 1) {
return 1;
}
else if (x % 2 == 0) {
return 1 + foo(x / 2);
} else {
return 1 + foo(3 * x + 1);
}
}
What does foo(10) return?
What does the following program print?
public class R3 {
public static void main(String args[]) {
int a = 3;
switch (a) {
case 1:
System.out.print("A");
case 2:
System.out.print("B");
case 3:
System.out.print("C");
case 4:
System.out.print("D");
case 5:
System.out.print("E");
break;
default:
System.out.print("F");
}
System.out.print('\n');
}
}
Consider the following recursive function "bar":
public static void bar(String mesg) {
if (mesg.equals("")) {
return;
}
System.out.print(mesg.charAt(0));
// subtring(1) finds the string with all but the first character
bar(mesg.substring(1));
System.out.print(mesg.charAt(0));
}
What does bar("Hello") print?
The "birthday paradox" refers to the surprisingly high chances of at least two people in a group sharing a birthday.
We can figure out the probabilities mathematically, or we can simulate the problem. How can we write a program that, given the number of people N, simulates 100 groups of N people with random birthdays, and counts how many groups have a shared birthday?
If we wanted to improve the previous program by using a nicer representation of dates, we could create a "Date" class that would contain the month and day, and contain functions for comparing two dates, and printing a date to the screen. It should also contain error checking (so that March 40th, and February 31st are not valid dates).
How could we code such a class?
The following function returns a value from the user between an upper and lower bound:
// a function which returns an integer from the user
// between lower and upper bounds, inclusive
public static int getInput(int lower, int upper) {
int value;
Scanner in = new Scanner(System.in);
do {
System.out.printf("Enter a value between %d and %d: ", lower, upper);
value = in.nextInt();
} while (value < lower || value > upper);
return value;
}
Could this function be re-written using recursion instead of a loop?
Copyright © 2024 Ian Finlayson | Licensed under a Creative Commons BY-NC-SA 4.0 License.