Canterbury QuestionBank   633573 Suppose you try to perform a binary search on a 5-element array sorted in the reverse order of what the binary search algorithm expects. How many of the items in this array will be found if they are searched for? a. 5 b. 0 *c. 1 d. 2 e. 3 f. " g. " h. " i. " j. " General Feedback: Only the middle element will be found. The remaining elements will not be contained in the subranges that we narrow our search to. 632805 Which data structure used to implement Set yields the worst performance for Set.contains? a. Binary search tree *b. Linked list c. Sorted array d. Hashtable e. f. " g. " h. " i. " General Feedback: Implementing Set.contains involves a search of the data structure. A binary search tree and a sorted array are searched in O(lg n) time, and a hashtable in O(1), assuming a sane hash function. A linked list is searched in O(n) time. 635053 The simplified UML diagram above shows the relationships among Java classes Bird, Crow, and Duck. Suppose Bird has a fly(Location place) method, but we want Crows to makeNoise() just before they take off and then behave like other Birds. Assuming Crows have a makeNoise() method, we should a. Define a fly method in Crow by copying the fly code from Bird  then adding in makeNoise() at the start, i.e. public void fly(Location place) { this.makeNoise(); // [paste the body of Bird's fly method here] } b. Define a fly method in Crow  that just consists of makeNoise(), i.e. public void fly(Location place) { this.makeNoise(); } c. Define a fly method in Crow that just consists of makeNoise() and this.fly(place), i.e. public void fly(Location place) { this.makeNoise(); this.fly(place); } *d. Define a fly method in Crow that just consists of makeNoise() and super.fly(place) public void fly(Location place) { this.makeNoise(); super.fly(place); } e. Define a fly method in Crow that just consists of makeNoise() and Bird.fly(place); i.e. public void fly(Location place) { this.makeNoise(); Bird.fly(place); } f. " g. " h. " i. " j. " General Feedback: D is the best: super.fly(place) invokes Bird's fly method, so produces fly behavior like other Birds.  A would also work, but is does not take advantage of inheritance, and would be incorrect if you change the flying behavior of Birds by modifying Bird's fly method. B wouldn't involve any flight, C wouldn't terminate, and E assumes a static fly method in Bird (which would be unusual design, so I would have mentioned it). 633246 For a graph with N nodes, what's the minimum number of edges it must have for it to contain a cycle? a. N + 1 b. N c. N - 1 *d. 1 e. 2 f. " g. " h. " i. " j. " General Feedback: A vertex with an edge to itself is a cycle. 634254 Read the following method skeleton and choose the best expression to fill in the blank on line 8 so that the method will behave correctly: /** * Takes a string reference and counts the number of times * the character 'A' or 'a' appears in the string object. * @param aString String reference to object containing chars. * @precondition aString is not null (you may assume this is true). * @return The number of times 'A' or 'a' appears in the string. */ public static int countAs(String aString) // line 1 { int counter = __________; // line 2 int totalA = 0; // line 3 while (counter < __________) // line 4 { if ( __________.equals("A") ) // line 5 { totalA = totalA + __________; // line 6 } counter++; // line 7 } return __________; // line 8 } a. counter b. true c. false *d. totalA e. aString f. " g. " h. " i. " j. " General Feedback: The return type of the method is int, so an integer return value must be provided.  Since counter is used as a loop index, it will always end up being the total number of characters in the given string.  The variable totalA is used as an accumulator that is incremented each time a letter A is found in the string, so it is the choice that will provide the correct return value for the method. 633247 Two algorithms accomplish the same task on a collection of N items. Algorithm A performs log2 N operations. Algorithm B performs log3 N operations. Under what conditions does algorithm A offer better performance? a. N <= 2 b. N < log2 3 c. N < log3 2 d. N < 8 *e. For no N. f. " g. " h. " i. " j. " General Feedback: For no possible collection size N is log2 N < log3 N. 633241 Finding the median value in a complete and balanced binary search tree is *a. O(1) b. O(log N) c. O(N) d. O(N2) e. O(N log N) f. " g. " h. " i. " j. " General Feedback: The median is the element that has M elements less than it and M elements greater than it. This can only be said of the root node in a complete and balanced binary tree. The root is accessed in constant time. 634183 For a heap of size n, which is indexed at 0, at what position will its last child be? a. 2n + 1 b. n / 2 *c. n - 1 d. floor(n / 2) + 1 e. f. " g. " h. " i. " General Feedback: The last element will be at the end of the array. 634156 What design stategy does Quicksort use? a. Greedy *b. Divide and conquer c. Dynamic programming d. Brute force e. f. " g. " h. " i. " General Feedback: Quicksort is divide and conquer. 634154 If you did not have a base case in a recursive function in C, and were working on a modern Unix-based system, what would most likely happen? a. Segmentation fault b. Stack overflow error *c. C wouldn’t complain, but your computer would crash d. Nothing, that’s fine e. f. " g. " h. " i. " General Feedback: It really depends on the program for whether it would be B or C. Both can be argued to be correct. 634956 The following Python method determines whether or not a list of values, passed in as a parameter, has any duplicate values. What is the Big-Oh running time of this algorithm? def duplicates(lov):     dupCount = 0     outer = 0     while (outer < len(lov)):         inner = outer + 1         while (inner < len(lov)):             if (lov[inner] == lov[outer]):                 dupCount = dupCount + 1             inner = inner + 1         outer = outer + 1     if (dupCount == 0):         print "there are no duplicate values"     else:         print "there are ", dupCount, " duplicate values" a. O(1)  b. O(n) c. O(n log2 n) *d. O(n2) e. O(n3) f. " g. " h. " i. " j. " General Feedback: Each item in the list is compared against each other item in the list: a classic example of the all-pairs programming pattern.  The first item is compared against n-1 other values.  The second item is compared against n-2 other values, etc.  The total number of comparisons is  633227 What is printed when the following program runs? public class Main { public static boolean getTrue() { System.out.print("T"); return true; } public static boolean getFalse() { System.out.print("F"); return false; } public static void main(String[] args) { getTrue() || getTrue(); } } a. TT *b. T c. F d. TF e. Nothing is printed. f. " g. " h. " i. " j. " General Feedback: If the first operand for || is true, as is the case here, the second is not evaluated. 633298 You are storing a complete binary tree in an array, with the root at index 0. At what index is node i's parent? a. 2i b. 2i + 1 c. i + i + 2 d. i / 2 + 1 *e. (i - 1) / 2 f. " g. " h. " i. " j. " General Feedback: (i - 1) / 2 634959 Which of the following abstract datatypes would be the best choice for part of the implementation of the part of a compiler that determines whether the parentheses in a program are balanced? *a. A Stack b. A Queue c. A List d. A PriorityQueue e. A Dictionary f. " g. " h. " i. " j. " General Feedback: A close parenthesis must match the most recently entered open parenthesis. So for example, the sequence )()(  doesn't match, while ()() and (()) do, even though they all have two open and two close parentheses. To make this work, you can push each open parenthesis on a Stack, and pop it off each time you see a close parenthesis. The last-in-first-out nature of a Stack makes it easy to determine whether the parentheses are balanced. 634960 Given the above binary tree rooted at Node A, what is the order of nodes visited by an inorder search? a. A, B, C, D, E, F, G b. A, B, D, E, C, F, G *c. D, B, E, A, F, C, G d. D, E, B, F, G, C, A e. G, F, E, D, C, B, A f. " g. " h. " i. " j. " General Feedback: An inorder search of a binary tree is: visit the left subtree, visit the root, visit the right subtree. It procedes as Visit left subtree:      Visit its left subtree:            Visit D      Visit B (its root)      Visit its right subtree:             Visit E    Visit A (the root) Visit right subtree:      Visit its left subtree:           Visit F      Visit C (its root)      Visit its right subtree:           Visit G 633228 What is printed when the following program runs? public class Main { public static boolean getTrue() { System.out.print("T"); return true; } public static boolean getFalse() { System.out.print("F"); return false; } public static void main(String[] args) { getTrue() || getFalse(); } } a. TF b. F *c. T d. TT e. Nothing is printed f. " g. " h. " i. " j. " General Feedback: If the first operand for || is true, as is the case here, the second is not evaluated. 633895 Kexin is hashing the values 9, 45, 22, 48, 38 into a hash table of size 20. Which hash function will give her no collisions? a. h(k) = k % 10 b. h(k) = k / 10 c. h(k) = (k % 10) + (k / 10) *d. h(k) = (k % 10) - (k / 10) e. f. " g. " h. " i. " General Feedback: A will collide on the 48/38; B will collide with 45/48; C will collide with 9/45. 634955 Given the above binary tree rooted at Node A, what is the order of nodes visited by a postorder search? a. A, B, C, D, E, F, G b. A, B, D, E, C, F, G c. D, B, E, A, F, C, G *d. D, E, B, F, G, C, A e. G, F, E, D, C, B, A f. " g. " h. " i. " j. " General Feedback: A postorder search of a tree is: visit the left subtree, visit the right subtree, visit the root It procedes as Visit left subtree:      Visit its left subtree:           Visit D      Visit its right subtree:           Visit E      Visit B (its root) Visit right subtree:      Visit its left subtree:           Visit F      Visit its right subtree:           Visit G      Visit C (its root) Visit A (the root) The order of nodes visited corresponds to answer D 633618 True or False: Breadth-first search (BFS) and Depth-first search (DFS) visit nodes of a graph in the same order only if the graph looks like a linear chain, or linked list, and the traversal starts at one of the ends. For example, BFS and DFS starting at node A are the same for the following graph: A <-> B <-> C a. True *b. False c. d. e. f. " g. " General Feedback: We could add any number of nodes to node B, and visit nodes in the same order starting at node A and node B. 634944 For the Insertion sort algorithm; what is its best case and worst case performance? *a. Best: O(n) Worst: O(n2) b. Best: O(n) Worst: O(n) c. Best: O(log2 n) Worst: O(n2) d. Best: O(n2) Worst: O(n2) e. None of the above. f. " g. " h. " i. " j. " General Feedback: Insertion sort, if given an already sorted list, will still perform O(n) comparisons to ascertain the list is sorted.  If the list is "reverse sorted,"  then the  first pass will require 1 exchange.  The second pass will require 2 exchanges, etc.  Hence, in the worst case, O(n2) exchanges. 634947 For the selection sort algorithm; what is its best case and worst case running time? a. Best: O(1) Worst: O(n) b. Best: O(n) Worst: O(n2) c. Best: O(log2 n) Worst: O(n) *d. Best: O(n2) Worst: O(n2) e. None of the above. f. " g. " h. " i. " j. " General Feedback: Selection sort repeatedly runs the Find-largest algorithm as its helper function.  So, regardless of the list's initial ordering, Find-largest will cost n-1 comparisons for the first pass, n-2 for the second, etc.  Hence selection sort's run time performence is independent of the list's initial ordering: O(n2) 633400 You see the expression n = 100000 in some code that successfully compiles. What type can n not be? a. int *b. short c. float d. double e. long f. " g. " h. " i. " j. " General Feedback: Shorts can only hold values in [-32768, 32767]. 633397 Suppose you try to perform a binary search on the unsorted array {1, 4, 3, 7, 15, 9, 24}. Which element will not be found when you try searching for it? a. 7 b. 1 c. 9 *d. 15 e. 24 f. " g. " h. " i. " j. " General Feedback: The answer is 15. The first check will look at 7. 15 is greater than 7, so we search to its right. The second check will look at 9. 15 is greater than 9, so we search to its right. The third check will look at 24. 15 is less than 24, so we look to its left. However, our range has just been inverted and our searching stops, not having found 15. 634952 Given the above binary tree rooted at Node A, what is the order of nodes visited by a breadth-first traversal? *a. A, B, C, D, E, F, G b. A, B, D, E, C, F, G c. D, B, E, A, F, C, G d. D, E, B, F, G, C, A e. G, F, E, D, C, B, A f. " g. " h. " i. " j. " General Feedback: A breadth-first traversal procedes by levels --  the root, then all of the nodes that are children of the root, then all of the nodes that are grandchildren of the root, etc. In this case we get: Visit A (the root) Visit B, C (children of the root) Visit D, E, F, G (grandchildren of the root) This corresponds to answer A. 632111 What node will be in a same rank (position) if the following tree is traversed by preorder, postorder and inorder algorithm? a. A b. B *c. C d. D e. f. " g. " h. " i. " General Feedback: C 634167 Fill in the single missing line of code: int p, *r, **q; p = 27; r = &p; // MISSING LINE printf("The value is %d", **q); // prints 27. a. *q = *r; *b. q = &r; c. **q = p; d. q = &&p; e. *q = *p; f. " g. " h. " i. " j. " General Feedback: B gets q to point to r, which points to p. 632105 What would be the performance of removeMin and insert methods in a priority queue if it is implemented by a sorted list? a. O(1) , O(1) *b. O(1) , O(n) c. O(n) , O(1) d. O(n) , O(n) e. f. " g. " h. " i. " General Feedback: O(n) , O(1) 632090 What is the value of j after this code is executed? int i = 6, j = 10; j += i; a. 4 b. 6 c. 10 *d. 16 e.  Undefined f. " g. " h. " i. " j. " General Feedback: The value of variable i (6) is added to that of variable  j (10) resulting in 16 as the  new value of j 635019 Suppose q is an instance of a queue that can store Strings, and I execute the following statements starting with q empty: 1. q.enqueue("Sweden"); 2. q.enqueue("is"); 3. q.enqueue("my"); 4. String w = q.dequeue(); 5. String x = q.peek(); 6. q.enqueue("neighbor"); 7. String y = q.dequeue(); 8. String z = q.dequeue();   What is the value of z after executing these expressions in order? a. "Sweden" b. "is" *c. "my" d. "neighbor" e. None of the above f. " g. " h. " i. " j. " General Feedback: If we consider the contents of the queue after each expression (listing contents from head to tail), we have 1. ["Sweden"] 2. ["Sweden" "is"] 3. ["Sweden" "is" "my"] 4. ["is" "my"]  (and w gets set to "Sweden") 5. ["is" "my"]  (and x gets set to "is") 6. ["is" "my" "neighbor"] 7. ["my" "neighbor"] (and y gets set to "is") 8. [ "neighbor"]  (and z gets set to "my") 634151 Which of the following parts of a process’ memory is the largest? a. The code area b. The globals area *c. The heap d. The stack e. f. " g. " h. " i. " General Feedback: Heap is the largest. 634145 Prim’s Algorithm is used to solve what problem? a. Finding the lowest parent of a heap *b. Minimum spanning tree c. Shortest path in a graph from a source d. Sorting integers e. f. " g. " h. " i. " General Feedback: Prim's is used for MST. 633268 Suppose you have a tree with a maximum depth of d and an average branching factor of b (i.e. each node has b children). You are searching for a particular node S located at depth m (m <= d). You don't know where the node S is located, just that it is at depth m. What is an upper bound on the space complexity of breadth-first search (i.e. big-O notation) to find the node S starting from the root? a. O(d * b) *b. O(bd) c. O(db) d. O(b * m) e. O(bm) f. " g. " h. " i. " j. " General Feedback: In the worst case, we need to store all of the nodes, because the very last node we check at the maximum depth will be S.  The deepest nodes of the graph will have O(bd) nodes, and in the worst case we would need to store all of these nodes. 630945 Which of the following abstract datatypes would be the best choice for part of the implementation of the back button on a Web browser? *a. a Stack  b. a Queue c. a Priority Queue  d. a List  e. a Dictionary f. " g. " h. " i. " j. " General Feedback: When you click on the back button, you should see the last page you visited, so the datatype that stores the previously visited webpages must be last-in-first-out. Of the abstract datatypes listed, Stack is the only one that is last-in-first-out. 630947 Which of the following abstract datatypes would be the best choice for part of the implementation of a program modeling the arrival of patients to an emergency room in a hospital? a. a Stack b. a Queue c. A List *d. a PriorityQueue e. a Dictionary f. " g. " h. " i. " j. " General Feedback: In an emergency room, you want to serve patients in the order of how urgent their condition is, and if two patients have equally urgent conditions, in the order that they arrived. A PriorityQueue is the only abstract datatype listed that meets both of these conditions.  633266 Two algorithms accomplish the same task on a collection of N items. Algorithm A performs N/2 operations. Algorithm B performs N log N operations. Under what conditions does algorithm A offer better performance? a. N <= 4 b. N > 8 c. N > 2 *d. For all N. e. For no N. f. " g. " h. " i. " j. " General Feedback: For all legal collection sizes, N/2 < N log N. 633260 When is an adjacency matrix a good choice for implementing a graph? a. When the graph is undirected. *b. When the graph is nearly complete. c. When a graph has few edges. d. When the graph contains no cycles. e. When the graph is connected. f. " g. " h. " i. " j. " General Feedback: The adjacency matrix will compactly and efficiently store edges when it contains little wasted space. In a complete graph, each vertex shares an edge with each other vertex, meaning all elements in the adjacency matrix will be used. 634147 What is true about the pivot in quicksort? a. Before partitioning, it is always the smallest element in the list b. After partitioning, the pivot will always be in the centre of the list *c. After partitioning, the pivot will never move again d. A random choice of pivot is always the optimal choice, regardless of input e. f. " g. " h. " i. " General Feedback: As the pivot will be to the right of all smaller elements and to the left of all larger elements, it is in the same position it will be when the array is sorted. 633259 When is an adjacency list a good choice for implementing a graph? a. When the graph is undirected. b. When the graph is nearly complete. *c. When a graph has few edges. d. When the graph contains no cycles. e. When the graph is connected. f. " g. " h. " i. " j. " General Feedback: With adjacency lists are used, each vertex stores its own list of vertices it's connected to. When a graph contains few edges, these lists will be very short and will likely consume less memory than the adjacency matrix. 633257 You've got an algorithm that is O(N2). On the first run, you feed it a collection of size M. On the second run, you feed it a collection of size M / 2. Assuming each run has worst-case performance, how much time does the second run take? *a. 1/4 of the first b. 1/2 of the first c. 2/3 of the first d. 3/4 of the first e. 1/8 of the first f. " g. " h. " i. " j. " General Feedback: The first run took time proportional to M2. The second run took (M/2)2, or M2/4. The second run is 1/4 of the first. 633245 Two algorithms accomplish the same task on a collection of N items. Algorithm A performs N2 operations. Algorithm B performs 10N operations. Under what conditions does algorithm A offer better performance? *a. N < 10 b. N < 100 c. N > 10 d. For all N. e. For no N. f. " g. " h. " i. " j. " General Feedback: The two algorithms offer equal performance when N = 10. For N greater than 10, N2 > 10N. 635006 1. public BallPanel extends javax.swing.JPanel { 2. private Ball[] _balls; 3. public BallPanel(int numberOfBalls){ 4. ?????? 5. for (int i=0;i<_balls.length;i++) 6. _balls[i] = new Ball(); 7. } 8. }   We need to add something at line 4 above to avoid an error in line 5.  Which of the following line 4 expressions fix the error in line 5? a. super(); b. _balls.setLength(numberOfBalls); *c. _balls = new Ball[numberOfBalls]; d.  _balls.length = numberOfBalls; e. B, C, and D all work. f. " g. " h. " i. " j. " General Feedback: The problem with line 5 (without adding line 4) is that _balls is declared, but not instantiated as an array, so _balls is null.   The code compiles fine (assuming you have a class Ball that has a constructor with no parameters), but will crash at run time if you instantiate a BallPanel. B and D wouldn't help: B would crash at run time for the same reason as 5, and D gives a compile-time error since length is not directly settable for a Java array.   A would work, but would have no effect on the problem. 633279 Which of the following makes an appropriate pre-condition for this code? double calculate_percentage(double sum, double n) { // calculates and returns a percentage given a sum and a length (n) // // POST: none return (sum / n) * 100; } a. PRE: sum < 100 *b. PRE: n != 0 c. PRE: sum != NULL and n != NULL d. PRE: none e. f. " g. " h. " i. " General Feedback: The code will faill if n = 0, as it will divide by 0. 629623 Consider writing a program to be used by a farm to keep track of information about the fruits and vegetables they sell. For each sale, they would like to keep track of the type of item (eggplant, tomato, etc.), the quantity sold, the price, and the market at which the sale was made. Which of the following is the best way to represent the information? *a. Define one class, FarmSale, with four fields: type, quantity, price, and market. b. Define one superclass, FarmSale, with four subclasses: Type, Quantity, Price, and Market. c. Define five unrelated classes: FarmSale, Type, Quantity, Price, and Market. d. Define five classes: FarmSale, Type, Quantity, Price, and Market.. Make Market a subclass of Price, make Price a subclass of Quantity, make Quantity a subclass of Type, and make Type a subclass of FarmSale. e. Define five classes: FarmSale, Type, Quantity, Price, and Market. Make FarmSale a subclass of Type, make Type a subclass of Quantity, make Quantity a subclass of Price, and make Price a subclass of Market. f. " g. " h. " i. " j. " General Feedback: Which classes you define depends generally on the needs of the software. It might be good to have Market be a class of its own, with the address of the market, contact information for the organizers, etc. The item type might be modeled with a Product class, with information about the date it was planted, for example. But of the choices given, A is the best. We can rule out choices B, C, D, and E because price and quantity don't need data and associated methods of their own and are most appropriately modeled as fields in the FarmSale class. That leaves A. 629642 The word abstract in the class box for Vehicle means: a. Vehicle is the top level of the hierarchy b. Objects of type Vehicle can not be instantiated c. All concrete subclasses of Vehicle must implement or inherit all of Vehicle’s abstract methods *d. Both B and C are true e. All of the above f. " g. " h. " i. " j. " General Feedback: An object cannot be directly instantiated from an abstract class, i.e.  Vehicle v = new Vehicle(); is not legit, so B is true.  It is also true that every concrete (non-abstract) subclass of Vehicle must implement or inherit all of the methods defined as abstract in Vehicle.  So D is the answer. 629645 Suppose you are writing a Java program to be used to manage information about the inventory in a store. The store’s products include pagers, cell phones, and cameras. The cell phones are used for both communication and taking pictures, the pagers are only used for communication, and the cameras are used for taking pictures. Assume that a Product class has been defined. Which of the following is the best way to represent the remaining data? a. Define two subclasses of the Product class: Communicator and PictureTaker. Define two subclasses of the Communicator class: Pager and CellPhone; and define two subclasses of the PictureTaker class: CellPhone and Camera. *b. Define three subclasses of the Product class: Pager, CellPhone and Camera. Also define two interfaces: Communicator and PictureTaker. Define the Pager and CellPhone classes to implement the Communicator interface, and define the CellPhone and Camera classes to implement the PictureTaker interface. c. Define five new classes, not related to the Product class: Pager, CellPhone, Camera, Communicator, and PictureTaker. d. Define five subclasses of the Product class: Pager, CellPhone, Camera, Communicator, and PictureTaker. e. Define two subclasses of the Product class: Communicator and PictureTaker. Also define three interfaces: Pager, CellPhone, and Camera. Define the Communicator class to implement the Pager and CellPhone interfaces, and define the PictureTaker class to implement the CellPhone and Camera interfaces. f. " g. " h. " i. " j. " General Feedback: Answer A is the easiest to rule out -- it gives CellPhone two superclasses, which is not permitted in Java. C is not the best choice because it doesn't capture the relationships among the various items. D captures some of the relationships but not all (for example, it's missing the relationship between PictureTaker and Camera). Answers B and E are very similar -- they focus on the question of which items should be modeled by interfaces and which by classes. B is a better choice for several reasons. Pagers, phones, and cameras all have both behaviors and data -- for example, the list of phone messages for a phone and the ability to take pictures for both phones and cameras -- while PictureTaker and Communicator correspond to behaviors. In addition, defining PictureTaker as an interface allows us to capture the fact that a cell phone is a product, a picture taker, *and* a communicator.  632075 Consider the following short program, which does not meet all institutional coding standards: void vCodeString(char szText[ ]); /* First line */ #include #include #define MAX_LEN 12 int main(void) {      char szData[MAX_LEN];      printf("Enter some text to code: ");      scanf("%s", szData);      vCodeString(szData); /* Line 8 */      printf("Coded string is %s\n", szData); } void vCodeString(char szText[ ]) {      int i = -1;      while(szText[++i])      {           szText[i] += (char)2;      } } I would like to combine lines 8 and 9 into printf("Coded string is %s\n", vCodeString(szData)); Unfortunately, this gives me a syntax error. Why? a. The %s should be replaced by %c. b. The parameter to vCodeString should be szText c. The parameter to vCodeString should be shown as szData[ ]. d.  printf can only match %s to a variable, not to a function. *e. vCodeString does not return a value. f. " g. " h. " i. " j. " General Feedback: The printf function cannot take as a parameter a function which does not return a value 635015 The binary value 11011101 when coverted into a decimal value from two's complement notation is: *a. -35 b. 35 c. 221 d. -221 e. -33 f. " g. " h. " i. " j. " General Feedback: Conversion of negative numbers in two's complement into decimal requires a bit flip, followed by the binary addition of 1.  This value is then interpreted as an unsigned binary value. 632068 Note draft only topics and explanation tba Consider the following short program: #include void f1(void); int a; void main(void) {      int b;      a = b = 1;      f1();      printf("%d %d", a, b); } void f1(void) {      int b = 3;      a = b; } The output from the print statement will be: a. 1 1 b. 1 3 *c. 3 1 d. 3 3 e. 3 5 f. " g. " h. " i. " j. " General Feedback: Explanation to be completed 633240 Finding the minimum value in a complete and balanced binary search tree is a. O(1) *b. O(log N) c. O(N) d. O(N2) e. O(N log N) f. " g. " h. " i. " j. " General Feedback: The minimum is the root's left-most descendent, which can be reached in log N steps. 634971 An interface in Java can appropriately be used to model a. Abstract classes *b. Unrelated classes that share particular capabilities c. Related classes that share particular attributes d. Classes that communicate using the same network protocol e. None of the above f. " g. " h. " i. " j. " General Feedback: Interfaces allow us to specify common capabilities in unrelated classes: a way to say that two classes have the same methods without specifying the implementation (and allowing completely different implementations).  For closely related classes (near each other in inheritance hierarchy) we can get common capabilities by having them in a common ancestor.  Abstract classes provide a method to specify common capabilities via inheritance.  Interfaces cannot be used to specify that two classes share a set of attributes (i.e. instance variables), which can be done by having classes inherit from a common ancestor with those attributes. 629971 Suppose you are defining a Java ProductItem class to store information about the inventory in a store, and you want to give the class an instance variable for the number of those items currently in stock. Choose the best datatype for modeling this number: a. double b. float *c. int d. a user-defined NumberInStock class e. String f. " g. " h. " i. " j. " General Feedback: A and B are wrong because you want to model an integer, not a floating point number. E is wrong because you probably want to use this number for adding and subtracting, not just for display.  D is less good than C, because the built-in operations on ints will most likely be sufficient for the purposes of this variable.  633256 Suppose you have a tree with a maximum depth of d and an average branching factor of b (i.e. each node has b children).  You are searching for a particular node S located at depth m (m <= d).  You don't know where the node S is located, just that it is at depth m. What is an upper bound on the runtime complexity of breadth-first search (i.e. big-O notation) to find the node S starting from the root? a. O(d * b) *b. O(bd) c. O(db) d. O(b * m) e. O(bm) f. " g. " h. " i. " j. " General Feedback: In the worst-case, you would keep choosing sub-tree containing S last, and have to keep searching.  Thus the worst-case is O(bd). The following picture may help: 633604 What wil the following code print, assuming that N is a positive integer? int count=0; for (int i=0; i 8 d. For all N e. For no N f. " g. " h. " i. " j. " General Feedback: For N <= 7, (N/2)3 < N2. 632474 Identify the bug in the following Java code (if any): public boolean search(T item,ListADT list){ // 1 if (list == null) // 2 return false; // 3 else if (list.first()==item) // 4 return true; // 5 else // 6 return this.search(item, list.rest()); // 7 } // 8 a. There is no base case b. The problem is not self-similar c. The problem does not get smaller *d. There are no bugs e. None of the above f. " g. " h. " i. " j. " General Feedback: For a recursive solution to a problem, you need three things: (1) a base case (where the problem can be solved without recursion) (2) a self-similar problem (one that contains similar problem(s) to itself) (3) a way of making the problem smaller so you get closer to the base case Here (2) is satisfied -- lists contain smaller lists. (1) is satisfied by lines 2-5 of the method. And (3) is satisfied because line 7's recursive call takes the rest of the list as a parameter, rather than the whole list. 634918 Suppose QueueADT is implemented using a singly linked list. What is the lowest Big-Oh time complexity that can be achieved for an enqueue method?: *a. O(1) b. O(log2 n) c. O(n) d. O(n2) e. none of the above f. " g. " h. " i. " j. " General Feedback: If you keep a pointer to the last element of the queue, then the enqueue method just needs a fixed number of statements, which are the same independent of the size of the queue.  633554 What terminates a failed linear probe in a full hashtable? a. The end of the array b. A deleted node c. A null entry d. A node with a non-matching key *e. Revisiting the original hash index f. " g. " h. " i. " j. " General Feedback: A null entry will not appear in a full hashtable. Seeing the end of the array isn't correct, since we need to examine all elements, including those that appear before our original hash index. A node with a non-matching key is what started our probe in the first place. The purpose of leaving a deleted node in the table is so that probing may proceed past it. Revisiting the original hash index means we've looked at every entry and determined the item doesn't appear in the table. 632810 Which of the following assertions is incorrect? *a. A Python statement may return a value b. A Python expression may return a value c. A Python statement may produce a side effect d. A Python expression may produce a side effect e. None of the above (i.e., all are correct) f. " g. " h. " i. " j. " General Feedback: Basically, a statement in Python is a special kind of function that doesn't return a value.  Statements are things like print (in Python 2.x but not Python 3) and import. I think this is not a great question to put on a CS-1 exam beacuse it relies on terminology (statement, expression, side-effect) that doesn't really mean much until CS-2 or later. 633665 Consider the following class for a Ninja: public class Ninja { private int honor; public Ninja(int h) { this.honor=h; } }   Suppose we instantiate two Ninjas like this: Ninja n1=new Ninja(50); Ninja n2=new Ninja(50);   Is the following statement True, False, or It Depends: n1 == n2 a. True *b. False c. It depends (Note:  Be ready to explain what it depends upon during the discussion phase of this question) d. e. f. " g. " h. " General Feedback: These two references are not equal because they reference different instances. 634189 What is not a property of a max-heap? a. It is complete b. A node’s value is less than or equal to that of its parent *c. Its values are sorted in when printed in level order d. Its root is the maximum element in the tree e. f. " g. " h. " i. " General Feedback: A max-heap need not be sorted. 633882 Barack Obama wants to know the most efficient way to sort a million 32-bit integers. He knows it’s not bubble sort. What is? a. Heapsort b. Insertion sort c. Mergesort *d. Radix sort e. Quicksort f. " g. " h. " i. " j. " General Feedback: Radix sort will be O(n) and works nicely on integers; at such a large scale it will outperform the O(nlgn) sorting algorithms. (question is a reference to http://www.youtube.com/watch?v=k4RRi_ntQc8 ) 634250 Read the following method skeleton and choose the best expression to fill in the blank on line 2 so that the method will behave correctly: /** * Takes a string reference and counts the number of times * the character 'A' or 'a' appears in the string object. * @param aString String reference to object containing chars. * @precondition aString is not null (you may assume this is true). * @return The number of times 'A' or 'a' appears in the string. */ public static int countAs(String aString) // line 1 { int counter = __________; // line 2 int totalA = 0; // line 3 while (counter < __________) // line 4 { if ( __________.equals("A") ) // line 5 { totalA = totalA + __________; // line 6 } counter++; // line 7 } return __________; // line 8 } *a. 0 b. 1 c. aString.size() d. aString.length e. aString.length() - 1 f. " g. " h. " i. " j. " General Feedback: This method must examine each character in the given string to see if it is 'A' or 'a', and uses a loop to do so.  The variable counter is being used as a loop index, and by imagining what will fill in other blanks, is also being used to keep track of the position of the current character in the string that is being examined.  Since line 7 methodically increases counter on each loop iteration, it must be traversing left-to-right through the string, so zero is the best choice for its initial value. 633561 You are writing a depth-first search on a platform that doesn't support recursion. What data structure can help you complete your task? *a. stack b. queue c. priority queue d. hashtable e. linked list f. " g. " h. " i. " j. " General Feedback: As you visit nodes, if you push their neighbors on a stack, the neighbors will be the first popped off when you need to backtrack. This behavior is what makes a depth-first search depth-first. 632571 The worst-case time complexity of radix sort is: a. O(1) b. O(n) *c. O(k n) d. O(n2) e. none of the above f. " g. " h. " i. " j. " General Feedback: n is the number of items to be sorted, as usual, and k is the number of digits in the largest number in the list. Radix sort processes the entire list (n numbers) once for each of the k digits in the largest number in the list, so the work done is proportional to n*k.  632572 A chained hash table has an array size of 512. What is the maximum number of entries that can be placed in the table? a. 256 b. 511 c. 512 d. 1024 *e. There is no maximum. f. " g. " h. " i. " j. " General Feedback: In a hashtable with chaining, each element is assigned to a particular cell in the array (a "bucket") using the hash function. Each bucket has a pointer to the start of a linked list, and the elements assigned to that bucket are stored in the linked list.  634253 Read the following method skeleton and choose the best expression to fill in the blank on line 6 so that the method will behave correctly: /** * Takes a string reference and counts the number of times * the character 'A' or 'a' appears in the string object. * @param aString String reference to object containing chars. * @precondition aString is not null (you may assume this is true). * @return The number of times 'A' or 'a' appears in the string. */ public static int countAs(String aString) // line 1 { int counter = __________; // line 2 int totalA = 0; // line 3 while (counter < __________) // line 4 { if ( __________.equals("A") ) // line 5 { totalA = totalA + __________; // line 6 } counter++; // line 7 } return __________; // line 8 } a. 0 *b. 1 c. counter d. aString.length() e. aString.charAt(count) f. " g. " h. " i. " j. " General Feedback: The variable totalA is being used as an accumulator to keep track of how many A's have been seen so far as the loop progresses.  The if condition inside the loop is intended to detect whether the current character is an "A", and so the variable totalA should be incremented each time the condition is true.  Therefore, the best answer for Line 6 is 1, so that totalA is incremented. 632766 The following code for a method "minVal" contains a logic error on a single line in the method body, on one of the four lines indicated by comments: public static int minVal(int[] y, int first, int last) { /* This method returns the value of the minimum element in the * subsection of the array "y", starting at position * "first" and ending at position "last". */ int bestSoFar = y[first]; // line 1 for (int i=first+1; i<=last; i++) { if ( y[i] < y[bestSoFar] ) // line 2        bestSoFar = y[i];             // line 3   } // for   return bestSoFar;                  // line 4 } // method minVal Which one of the four lines indicated by the comments contains the logic error? a. line 1 *b. line2 c. line3 d. line4 e. f. " g. " h. " i. " General Feedback: line 2 should be if ( y[i] < bestSoFar ) The other three lines use bestSoFar to remember the best VALUE seen thus far, whereas the buggy line is using bestSoFar as if bestSoFar contains the POSITION seen thus far. 634282 What is the size of the largest max-heap which is also a BST? *a. 2 b. 1 c. 4 d. 3 e. f. " g. " h. " i. " General Feedback: You can have a left child of the root, but as soon as you add the right child, it falls apart. 632764 The following code for a method "minVal" contains a logic error on a single line in the method body, on one of the four lines indicated by comments: public static int minVal(int[] y, int first, int last) { /* This method returns the value of the minimum element in the * subsection of the array "y", starting at position * "first" and ending at position "last". */ int bestSoFar = y[first]; // line 1 for (int i=first+1; i<=last; i++) { if ( y[i] < bestSoFar ) // line 2        bestSoFar = i;                // line 3   } // for   return bestSoFar;                  // line 4 } // method minVal Which one of the four lines indicated by the comments contains the logic error? a. line 1 b. line2 *c. line3 d. line4 e. f. " g. " h. " i. " General Feedback: line 3 should be bestSoFar = y[i]; The buggy code is remembering an array position, but the correct code remembers the value. 618493 How many objects and object reference would we have if the following code is executed? Student first_st = new Student(); Student second_st = new Student(); Student third_st = second_st; a. 3, 2 *b. 2, 3 c. 2, 2 d. 3, 3 e. f. " g. " h. " i. " General Feedback: 2, 2 633574 Suppose you try to perform a binary search on the unsorted array {1, 4, 3, 7, 15, 9, 24}. How many of the items in this array will be found if they are searched for? a. 3 b. 4 *c. 5 d. 6 e. 0 f. " g. " h. " i. " j. " General Feedback: 7, 4, 9, 24, and 1 will be found if searched for. 15 and 3 will not, since they lie to the wrong side of a subrange's midpoint. 633668 Consider the following class for a Ninja: public class Ninja { private int honor; public Ninja(int h) { this.honor=h; } }   Suppose we instantiate two Ninjas like this: Ninja n1=new Ninja(50); Ninja n2=new Ninja(50);   Is the following statement True, False, or It Depends (i.e. depends on a factor external to this question) n1.equals(n2) a. True *b. False c. It depends (Be ready to discuss what it depends on when we get to the discussion phase of this question) d. e. f. " g. " h. " General Feedback: The equals() method has not been overloaded, so it's using the default implementation of equals() in Java, which falls back on ==. This is sort of a trick question, but it's a reasonably common error pattern in CS-2. 634432 Dummy question: Bloom tags.  a. blaha *b. blaha c. blaha d. e. f. " g. " h. " General Feedback: This question has a tag for each one of the Bloom tags so we can see how many questions there are of each. (Note: delimiters are included in case of errors). 631541 How many number will be printed if n = 5? public static void cSeries(int n) {       System.out.print(n + " ");       if (n == 1) return;       if (n % 2 == 0) cSeries(n / 2);       else cSeries(3*n + 1); } a. 3 b. 4 c. 5 *d. 6 e. f. " g. " h. " i. " General Feedback: 5 632300 For Club Scripting, to be a member a person must be aged 15 or older, but less than 50. What values would you use to boundary test a script designed to check if a person was a suitable age to join? a. 14, 15, 50, 51 b. 15, 16, 50, 51 c. 15, 16, 49, 50 *d. 14, 15, 49, 50 e. 13, 15, 49, 52 f. " g. " h. " i. " j. " General Feedback: The boundary values are those at the boundary and those respectively one before and one past the boundary 634931 Consider a picture that is x pixels wide and y pixels tall.  Furthermore, consider storing the x*y pixels in a one-dimensional array which stores the pixels in a left-to-right, top-to-bottom manner. Consider the following code: def pixelSwap (pixels):      pixCount = len(pixels) - 1      for p in range (0, len(pixels)/2):           tempPixel = pixels[p]           pixels[p] = pixels[pixCount - p]           pixels[pixCount - p] = tempPixel If the array of pixels originally represented the following picture: Which of the following pictures represents the pixel array after invoking pixelSwap? a. The picture is unchanged. b. The picture is rotated 90 degrees clockwise. c. The picture is rotated 90 degrees counterclockwise. *d. The picture is rotated 180 degress. e. None of the above. f. " g. " h. " i. " j. " General Feedback: The first pixel becomes the last, the second pixel, becomes the second last, etc.  This is a list reversing algorithm.  For a picture, the result is to rotate it 180 degrees. 634252 Read the following method skeleton and choose the best expression to fill in the blank on line 5 so that the method will behave correctly: /** * Takes a string reference and counts the number of times * the character 'A' or 'a' appears in the string object. * @param aString String reference to object containing chars. * @precondition aString is not null (you may assume this is true). * @return The number of times 'A' or 'a' appears in the string. */ public static int countAs(String aString) // line 1 { int counter = __________; // line 2 int totalA = 0; // line 3 while (counter < __________) // line 4 { if ( __________.equals("A") ) // line 5 { totalA = totalA + __________; // line 6 } counter++; // line 7 } return __________; // line 8 } a. aString.charAt(counter) b. aString.substring(counter) c. aString.charAt(counter).toUpperCase() d. aString.substring(counter).toUpperCase() *e. aString.substring(counter, counter + 1).toUpperCase() f. " g. " h. " i. " j. " General Feedback: While both charAt() can be used to examine a single char in a string, char is a primitive type without any methods.  Since the condition on Line 5 uses the equals() method to compare against another String value, the expression used to fill in the blank must produce a String object, so the substring() method is a better fit.  The substring() method takes two parameters--a starting index and an ending index one past the end of the substring--and since the method counts both upper case and lower case A's, the result should be converted to upper case form before testing for equality against "A".  Thus, the best answer is aString.substring(counter, counter + 1).toUpperCase(). 634932 You need to traverse a singly-linked list in reverse. What's the best worst-case performance you can achieve? a. O(1) b. O(log N) *c. O(N) d. O(N log N) e. O(N2) f. " g. " h. " i. " j. " General Feedback: Iterate through the list in the forward direction, but prepend each node on a second list as you do. Then iterate through the second list, which will be in the desired reverse order and traversable in O(N) time. 632271 Which data structure can be used to implement an abstract datatype such as the StackADT or QueueADT? a. an array b. a linked list *c. both d. neither e. f. " g. " h. " i. " General Feedback: StackADT and QueueADT can both be implemented with either an array or a stack. Either may be the better choice, depending on the purpose of the program and the nature of the data being stored.  632278 Which data structure uses space more efficiently if the program is storing substantially less data than expected? a. An array *b. A linked list c. They are both the same d. e. f. " g. " h. " General Feedback: For an array, you must set aside a block of memory in advance. A linked list only creates nodes for those elements that are actually contained in the list.  617507 How many objects are created in the following declaration? String[] names = new String[10]; a. 0 *b. 1 c. 10 d. 11 e. None of the above f. " g. " h. " i. " j. " General Feedback: None of the above 632880 We say indexing is fast if it's done in O(1) time, searching is fast if done in O(lg N) time, and inserting and deleting are fast if done in O(1) time. Compared to other data structures, unsorted linked lists offer: a. slow indexing, slow search, slow insertions and deletions. b. fast indexing, fast search, slow insertions and deletions. c. fast indexing, slow search, slow insertions and deletions. *d. slow indexing, slow search, fast insertions and deletions. e. slow indexing, fast search, fast insertions and deletions. f. " g. " h. " i. " j. " General Feedback: Linked lists do not support fast indexing. To get at element i, one must traverse the list i steps. Slow indexing makes for slow searching, as the binary search relies upon fast indexing to retrieve the middle element. Insertions and deletions, on the other hand, can be done in constant time, as only one or two neighboring links are affected. 634930 Consider the following code snippet that copies elements (pixels) from one 2-d array (called pict), with maximum dimensions of maxWidth and maxHeight into another 2-d array called canvas. canvas = [][] for row in range (0, maxHeight):     for col in range (0, maxWidth):         origPixel = pict[col][row]         canvas[width-1-col][row = origPixel If one were to display canvas, how would it compare to the orignal picture (as represented by pict)? *a. Rotated 180 degrees around the vertical center line/column. b. Rotated 180 degrees around the horizontal center line/row. c. Rotated left 90 degrees. d. Rotated right 90 degrees. e. Rotated 180 degrees. f. " g. " h. " i. " j. " General Feedback: Each pixel remains on the same row (line) that it originally was on.  For any given row, the leftmost pixel swaps positions with the rightmost.  The second pixel in a row swaps positions with the second last pixel in that row, etc.  Hence, the picture is rotated across the vertical center line. 634192 What is a shorter way to write if(p == NULL) ? a. if(p) *b. if(!p) c. d. e. f. " g. " General Feedback: Answer is B. 632312 An example of something that could be built using a QueueADT is a structure that models: a. The undo operation in a word processor b. the back button in a web browser *c. the customers waiting to talk to an online helpdesk d. a hundred names in alphabetical order, where names are added and removed frequently e. the roads and intersections in a city f. " g. " h. " i. " j. " General Feedback: Choices A and B are applications where when you delete, you need to delete the item that was added most recently (a LIFO structure). This is not possible in a queue, where you always delete the item that was added *first*. Choice D is an application where you need to be able to delete from the beginning, middle, or end of the structure, something that is also impossible in a queue.  Choice E is an application where a element (an intersection) could be connected to several other elements. This is also impossible in a queue. Choice C is the only one where it makes sense to retrieve the elements in the order in which they arrived.  633221 This sorting algorithm splits the collection into two halves, sorts the two halves independently, and combines the results. a. selection sort b. insertion sort c. bubble sort d. quick sort *e. merge sort f. " g. " h. " i. " j. " General Feedback: Merge sort splits the collection, sorts the two halves, and merges them. 633243 Locating a new node's insertion point in a binary search tree stops when *a. We reach a null child. b. We find a node greater than the node to be inserted. c. We reach the tree's maximum level. d. We find a node lesser than the node to be inserted. e. We find a node without any children. f. " g. " h. " i. " j. " General Feedback: Finding nodes less than or greater than the new node happens frequently as we traverse the tree. Tree's don't have maximum levels. The insertion point isn't necessarily a leaf node. The remaining option of stopping when we reach null is the correct answer because we have found the new node's parent node. 634173 What are hash functions not used for? (Or at least, should not be used for.) a. Storing values in hash tables b. Checking file integrity *c. Encrypting passwords d. Digital signatures on files e. f. " g. " h. " i. " General Feedback: Hash functions should be used to store passwords, but not to encrypt them! 617508 How many objects are created in the following declaration? String name; *a. 0 b. 1 c. This declaration causes a run-time error d. It is not legal to write this declaration in Java e. f. " g. " h. " i. " General Feedback: It is not legal to write this declaration in Java 634194 Nathan is on the run (apparently the US is about to invade Canada). He needs to grab food. Each piece of food around him has a nutritional value, and a weight. He wants to put the most calories in his backpack, but it can only hold up to certain weight. What should he optimize for when deciding which foods to bring? a. The value of food *b. The value / weight ratio of food c. The weight / value ratio of food d. The weight of food e. f. " g. " h. " i. " General Feedback: Greedy approach to fractional knapsack. 629973 Suppose you are defining a Java ProductItem class to store information about the inventory in a store, and you want to give the class an instance variable for the price of that item. Which of the following is the best datatype for the instance variable that models the price? a. double b. float c. int d. String *e. a user-defined Money class f. " g. " h. " i. " j. " General Feedback: Arguments can be made for any of these choices (except perhaps "int"). I would give Money an edge, because a user-defined class allows you to write methods to display the value properly, do arithmetic on it, and perhaps convert it to different currencies. But I'm going to tag this as a question with more than one answer.  634905 1.public class FirstApp extends wheels.users.Frame { 2. private wheels.users.Ellipse _ellipse; 3. 4. public FirstApp() { 5. _ellipse = new wheels.users.Ellipse(); 6. } 7. 8. public static void main(String[] args) { 9. FirstApp app = new FirstApp(); 10. } 11.}   What does line 2 accomplish (cause to happen)? a. wheels.users.Ellipse is given _ellipse as an alias b. An invisible Ellipse is drawn on the screen *c. _ellipse is declared as a wheels.users.Ellipse d. wheels.users.Ellipse is set to be a private object e. _ellipse is instantiated as a wheels.users.Ellipse f. " g. " h. " i. " j. " General Feedback: Remember that in Java we need to declare variables, and then instantiate them (using new).  Line 2 is simply a declaration -- the variable gets instantiated (in line 5) when a FirstApp gets instantiated. 632876 We say indexing is fast if it's done in O(1) time, searching is fast if done in O(lg N) time, and inserting and deleting are fast if done in O(1) time. Compared to other data structures, unsorted arrays offer: a. slow indexing, slow search, slow insertions and deletions. b. fast indexing, fast search, slow insertions and deletions. *c. fast indexing, slow search, slow insertions and deletions. d. slow indexing, slow search, fast insertions and deletions. e. slow indexing, fast search, fast insertions and deletions. f. " g. " h. " i. " j. " General Feedback: Unsorted arrays can be indexed in constant time (which is fast), searched in O(N) time (which is not as good as O(lg N)), and restructured in O(N) time (which is not as good as O(1) time). 634933 One of the things in Java that allows us to use polymorphism is that the declared type and actual type of a variable may be different. In Java, the actual type of a parameter or variable’s value can be any concrete class that is a. the same as the declared type, or any subclass of the declared type (if the declared type is a class) b. any class that implements the declared type (if the declared type is an interface) c. any subclass of a class that implements the declared type (if the declared type is an interface) *d. A, B, and C above. e. A and B above, but not C f. " g. " h. " i. " j. " General Feedback: The rule of thumb is that the declared type is the same or more abstract than the actual type.  If the declared type is a class, the things that are equally or less abstract are its descendants -- a subclass specializes a class.  If declared type is an interface, it is an abstraction of any class that implements it, or by the relationship between classes and its descendants, any class that is a subclass of something that implements it. Java wants a guarantee that the actual type will have the declared type's methods.  That can be via inheritance or implementing an interface, or a combination of the two. 632218 An example of something that could be implemented using a Stack is: a. The undo operation in Word b. The back button in a web browser c. A postfix calculator *d. All of the above e. Items (A) and (B) only f. " g. " h. " i. " j. " General Feedback: Anytime you're solving a problem where you're adding and removing data and you always need to remove the item that was added most recently is suited to a Stack. This is called a last-in-first-out property, or LIFO. Back buttons, the undo operation, and postfix calculators all have the last-in-first-out property.  630951 Suppose you are writing software for a helpdesk. Each request is entered into the system as it arrives.  Which of the following abstract datatypes would be the best choice to ensure that the requests are handled in exactly the same order in which they arrive? a. A Stack *b. A Queue c. A List d. A PriorityQueue e. A Dictionary f. " g. " h. " i. " j. " General Feedback: A Queue is the only abstract datatype where elements are removed in exactly the same order that they arrived in.  617450 If an inorder traversal of a complete binary tree visits the nodes in the order ABCDEF (where each letter is the value of a node), which order are the nodes visited during an postorder traversal? a. ABDECF b. DEBFCA c. DBFACE d. DBACFE *e. ACBEFD f. " g. " h. " i. " j. " General Feedback: DBACFE 633269 What is not true about a binary search tree? a. It is a binary tree *b. It is a perfect tree c. The leftmost node is the smallest node in the tree d. When printed with inorder traversal, it will be sorted e. f. " g. " h. " i. " General Feedback: BSTs need not be perfect. 632266 Suppose you are trying to choose between an array and a singly linked list to store the data in your Java program. Which arguments would correctly support one side or the other? a. Linked lists are better suited to a program where the amount of data can change unpredictably.  b. Arrays provide more efficient access to individual elements.  c. Linked lists provide more efficient access to individual elements.  *d. A and B only e. A, B, and C f. " g. " h. " i. " j. " General Feedback: Array elements can be accessed in constant time, but access to an element of a linked list is O(n), so B is correct and C is incorrect. A is also correct, because arrays require you to guess how much memory will be needed and set aside a fixed amount, while linked lists use memory as needed for the data that are being stored. Since A and B are correct and C is not, the answer is D. 633398 The insertion sort operates by maintaining a sorted list. When a new element is added, we traverse the list sequentially until will find the new element's appropriate location. Suppose instead that the new location was found using a binary search instead of a sequential search. What is the complexity of this new binary insertion sort? a. O(N) b. O(log N) c. O(N + log N) d. O(N * log N) *e. O(N2) f. " g. " h. " i. " j. " General Feedback: The binary search will indeed speed up finding the location of the newly added object. However, we still have the problem of shifting all subsequent elements. This algorithm, like the regular insertion sort, is O(N2). 633573 2 Suppose you try to perform a binary search on a 5-element array sorted in the reverse order of what the binary search algorithm expects. How many of the items in this array will be found if they are searched for? a. 5 b. 0 *c. 1 d. 2 e. 3 f. " g. " h. " i. " j. " General Feedback: Only the middle element will be found. The remaining elements will not be contained in the subranges that we narrow our search to. 632805 2 Which data structure used to implement Set yields the worst performance for Set.contains? a. Binary search tree *b. Linked list c. Sorted array d. Hashtable e. f. " g. " h. " i. " General Feedback: Implementing Set.contains involves a search of the data structure. A binary search tree and a sorted array are searched in O(lg n) time, and a hashtable in O(1), assuming a sane hash function. A linked list is searched in O(n) time. 635053 2 The simplified UML diagram above shows the relationships among Java classes Bird, Crow, and Duck. Suppose Bird has a fly(Location place) method, but we want Crows to makeNoise() just before they take off and then behave like other Birds. Assuming Crows have a makeNoise() method, we should a. Define a fly method in Crow by copying the fly code from Bird  then adding in makeNoise() at the start, i.e. public void fly(Location place) { this.makeNoise(); // [paste the body of Bird's fly method here] } b. Define a fly method in Crow  that just consists of makeNoise(), i.e. public void fly(Location place) { this.makeNoise(); } c. Define a fly method in Crow that just consists of makeNoise() and this.fly(place), i.e. public void fly(Location place) { this.makeNoise(); this.fly(place); } *d. Define a fly method in Crow that just consists of makeNoise() and super.fly(place) public void fly(Location place) { this.makeNoise(); super.fly(place); } e. Define a fly method in Crow that just consists of makeNoise() and Bird.fly(place); i.e. public void fly(Location place) { this.makeNoise(); Bird.fly(place); } f. " g. " h. " i. " j. " General Feedback: D is the best: super.fly(place) invokes Bird's fly method, so produces fly behavior like other Birds.  A would also work, but is does not take advantage of inheritance, and would be incorrect if you change the flying behavior of Birds by modifying Bird's fly method. B wouldn't involve any flight, C wouldn't terminate, and E assumes a static fly method in Bird (which would be unusual design, so I would have mentioned it). 633246 2 For a graph with N nodes, what's the minimum number of edges it must have for it to contain a cycle? a. N + 1 b. N c. N - 1 *d. 1 e. 2 f. " g. " h. " i. " j. " General Feedback: A vertex with an edge to itself is a cycle. 634254 2 Read the following method skeleton and choose the best expression to fill in the blank on line 8 so that the method will behave correctly: /** * Takes a string reference and counts the number of times * the character 'A' or 'a' appears in the string object. * @param aString String reference to object containing chars. * @precondition aString is not null (you may assume this is true). * @return The number of times 'A' or 'a' appears in the string. */ public static int countAs(String aString) // line 1 { int counter = __________; // line 2 int totalA = 0; // line 3 while (counter < __________) // line 4 { if ( __________.equals("A") ) // line 5 { totalA = totalA + __________; // line 6 } counter++; // line 7 } return __________; // line 8 } a. counter b. true c. false *d. totalA e. aString f. " g. " h. " i. " j. " General Feedback: The return type of the method is int, so an integer return value must be provided.  Since counter is used as a loop index, it will always end up being the total number of characters in the given string.  The variable totalA is used as an accumulator that is incremented each time a letter A is found in the string, so it is the choice that will provide the correct return value for the method. 633247 2 Two algorithms accomplish the same task on a collection of N items. Algorithm A performs log2 N operations. Algorithm B performs log3 N operations. Under what conditions does algorithm A offer better performance? a. N <= 2 b. N < log2 3 c. N < log3 2 d. N < 8 *e. For no N. f. " g. " h. " i. " j. " General Feedback: For no possible collection size N is log2 N < log3 N. 633241 2 Finding the median value in a complete and balanced binary search tree is *a. O(1) b. O(log N) c. O(N) d. O(N2) e. O(N log N) f. " g. " h. " i. " j. " General Feedback: The median is the element that has M elements less than it and M elements greater than it. This can only be said of the root node in a complete and balanced binary tree. The root is accessed in constant time. 634183 2 For a heap of size n, which is indexed at 0, at what position will its last child be? a. 2n + 1 b. n / 2 *c. n - 1 d. floor(n / 2) + 1 e. f. " g. " h. " i. " General Feedback: The last element will be at the end of the array. 634156 2 What design stategy does Quicksort use? a. Greedy *b. Divide and conquer c. Dynamic programming d. Brute force e. f. " g. " h. " i. " General Feedback: Quicksort is divide and conquer. 634154 2 If you did not have a base case in a recursive function in C, and were working on a modern Unix-based system, what would most likely happen? a. Segmentation fault b. Stack overflow error *c. C wouldn’t complain, but your computer would crash d. Nothing, that’s fine e. f. " g. " h. " i. " General Feedback: It really depends on the program for whether it would be B or C. Both can be argued to be correct. 634956 2 The following Python method determines whether or not a list of values, passed in as a parameter, has any duplicate values. What is the Big-Oh running time of this algorithm? def duplicates(lov):     dupCount = 0     outer = 0     while (outer < len(lov)):         inner = outer + 1         while (inner < len(lov)):             if (lov[inner] == lov[outer]):                 dupCount = dupCount + 1             inner = inner + 1         outer = outer + 1     if (dupCount == 0):         print "there are no duplicate values"     else:         print "there are ", dupCount, " duplicate values" a. O(1)  b. O(n) c. O(n log2 n) *d. O(n2) e. O(n3) f. " g. " h. " i. " j. " General Feedback: Each item in the list is compared against each other item in the list: a classic example of the all-pairs programming pattern.  The first item is compared against n-1 other values.  The second item is compared against n-2 other values, etc.  The total number of comparisons is  633227 2 What is printed when the following program runs? public class Main { public static boolean getTrue() { System.out.print("T"); return true; } public static boolean getFalse() { System.out.print("F"); return false; } public static void main(String[] args) { getTrue() || getTrue(); } } a. TT *b. T c. F d. TF e. Nothing is printed. f. " g. " h. " i. " j. " General Feedback: If the first operand for || is true, as is the case here, the second is not evaluated. 633298 2 You are storing a complete binary tree in an array, with the root at index 0. At what index is node i's parent? a. 2i b. 2i + 1 c. i + i + 2 d. i / 2 + 1 *e. (i - 1) / 2 f. " g. " h. " i. " j. " General Feedback: (i - 1) / 2 634959 2 Which of the following abstract datatypes would be the best choice for part of the implementation of the part of a compiler that determines whether the parentheses in a program are balanced? *a. A Stack b. A Queue c. A List d. A PriorityQueue e. A Dictionary f. " g. " h. " i. " j. " General Feedback: A close parenthesis must match the most recently entered open parenthesis. So for example, the sequence )()(  doesn't match, while ()() and (()) do, even though they all have two open and two close parentheses. To make this work, you can push each open parenthesis on a Stack, and pop it off each time you see a close parenthesis. The last-in-first-out nature of a Stack makes it easy to determine whether the parentheses are balanced. 634960 2 Given the above binary tree rooted at Node A, what is the order of nodes visited by an inorder search? a. A, B, C, D, E, F, G b. A, B, D, E, C, F, G *c. D, B, E, A, F, C, G d. D, E, B, F, G, C, A e. G, F, E, D, C, B, A f. " g. " h. " i. " j. " General Feedback: An inorder search of a binary tree is: visit the left subtree, visit the root, visit the right subtree. It procedes as Visit left subtree:      Visit its left subtree:            Visit D      Visit B (its root)      Visit its right subtree:             Visit E    Visit A (the root) Visit right subtree:      Visit its left subtree:           Visit F      Visit C (its root)      Visit its right subtree:           Visit G 633228 2 What is printed when the following program runs? public class Main { public static boolean getTrue() { System.out.print("T"); return true; } public static boolean getFalse() { System.out.print("F"); return false; } public static void main(String[] args) { getTrue() || getFalse(); } } a. TF b. F *c. T d. TT e. Nothing is printed f. " g. " h. " i. " j. " General Feedback: If the first operand for || is true, as is the case here, the second is not evaluated. 633895 2 Kexin is hashing the values 9, 45, 22, 48, 38 into a hash table of size 20. Which hash function will give her no collisions? a. h(k) = k % 10 b. h(k) = k / 10 c. h(k) = (k % 10) + (k / 10) *d. h(k) = (k % 10) - (k / 10) e. f. " g. " h. " i. " General Feedback: A will collide on the 48/38; B will collide with 45/48; C will collide with 9/45. 634955 2 Given the above binary tree rooted at Node A, what is the order of nodes visited by a postorder search? a. A, B, C, D, E, F, G b. A, B, D, E, C, F, G c. D, B, E, A, F, C, G *d. D, E, B, F, G, C, A e. G, F, E, D, C, B, A f. " g. " h. " i. " j. " General Feedback: A postorder search of a tree is: visit the left subtree, visit the right subtree, visit the root It procedes as Visit left subtree:      Visit its left subtree:           Visit D      Visit its right subtree:           Visit E      Visit B (its root) Visit right subtree:      Visit its left subtree:           Visit F      Visit its right subtree:           Visit G      Visit C (its root) Visit A (the root) The order of nodes visited corresponds to answer D 633618 2 True or False: Breadth-first search (BFS) and Depth-first search (DFS) visit nodes of a graph in the same order only if the graph looks like a linear chain, or linked list, and the traversal starts at one of the ends. For example, BFS and DFS starting at node A are the same for the following graph: A <-> B <-> C a. True *b. False c. d. e. f. " g. " General Feedback: We could add any number of nodes to node B, and visit nodes in the same order starting at node A and node B. 634944 2 For the Insertion sort algorithm; what is its best case and worst case performance? *a. Best: O(n) Worst: O(n2) b. Best: O(n) Worst: O(n) c. Best: O(log2 n) Worst: O(n2) d. Best: O(n2) Worst: O(n2) e. None of the above. f. " g. " h. " i. " j. " General Feedback: Insertion sort, if given an already sorted list, will still perform O(n) comparisons to ascertain the list is sorted.  If the list is "reverse sorted,"  then the  first pass will require 1 exchange.  The second pass will require 2 exchanges, etc.  Hence, in the worst case, O(n2) exchanges. 634947 2 For the selection sort algorithm; what is its best case and worst case running time? a. Best: O(1) Worst: O(n) b. Best: O(n) Worst: O(n2) c. Best: O(log2 n) Worst: O(n) *d. Best: O(n2) Worst: O(n2) e. None of the above. f. " g. " h. " i. " j. " General Feedback: Selection sort repeatedly runs the Find-largest algorithm as its helper function.  So, regardless of the list's initial ordering, Find-largest will cost n-1 comparisons for the first pass, n-2 for the second, etc.  Hence selection sort's run time performence is independent of the list's initial ordering: O(n2) 633400 2 You see the expression n = 100000 in some code that successfully compiles. What type can n not be? a. int *b. short c. float d. double e. long f. " g. " h. " i. " j. " General Feedback: Shorts can only hold values in [-32768, 32767]. 633397 2 Suppose you try to perform a binary search on the unsorted array {1, 4, 3, 7, 15, 9, 24}. Which element will not be found when you try searching for it? a. 7 b. 1 c. 9 *d. 15 e. 24 f. " g. " h. " i. " j. " General Feedback: The answer is 15. The first check will look at 7. 15 is greater than 7, so we search to its right. The second check will look at 9. 15 is greater than 9, so we search to its right. The third check will look at 24. 15 is less than 24, so we look to its left. However, our range has just been inverted and our searching stops, not having found 15. 634952 2 Given the above binary tree rooted at Node A, what is the order of nodes visited by a breadth-first traversal? *a. A, B, C, D, E, F, G b. A, B, D, E, C, F, G c. D, B, E, A, F, C, G d. D, E, B, F, G, C, A e. G, F, E, D, C, B, A f. " g. " h. " i. " j. " General Feedback: A breadth-first traversal procedes by levels --  the root, then all of the nodes that are children of the root, then all of the nodes that are grandchildren of the root, etc. In this case we get: Visit A (the root) Visit B, C (children of the root) Visit D, E, F, G (grandchildren of the root) This corresponds to answer A. 632111 2 What node will be in a same rank (position) if the following tree is traversed by preorder, postorder and inorder algorithm? a. A b. B *c. C d. D e. f. " g. " h. " i. " General Feedback: C 634167 2 Fill in the single missing line of code: int p, *r, **q; p = 27; r = &p; // MISSING LINE printf("The value is %d", **q); // prints 27. a. *q = *r; *b. q = &r; c. **q = p; d. q = &&p; e. *q = *p; f. " g. " h. " i. " j. " General Feedback: B gets q to point to r, which points to p. 632105 2 What would be the performance of removeMin and insert methods in a priority queue if it is implemented by a sorted list? a. O(1) , O(1) *b. O(1) , O(n) c. O(n) , O(1) d. O(n) , O(n) e. f. " g. " h. " i. " General Feedback: O(n) , O(1) 632090 2 What is the value of j after this code is executed? int i = 6, j = 10; j += i; a. 4 b. 6 c. 10 *d. 16 e.  Undefined f. " g. " h. " i. " j. " General Feedback: The value of variable i (6) is added to that of variable  j (10) resulting in 16 as the  new value of j 635019 2 Suppose q is an instance of a queue that can store Strings, and I execute the following statements starting with q empty: 1. q.enqueue("Sweden"); 2. q.enqueue("is"); 3. q.enqueue("my"); 4. String w = q.dequeue(); 5. String x = q.peek(); 6. q.enqueue("neighbor"); 7. String y = q.dequeue(); 8. String z = q.dequeue();   What is the value of z after executing these expressions in order? a. "Sweden" b. "is" *c. "my" d. "neighbor" e. None of the above f. " g. " h. " i. " j. " General Feedback: If we consider the contents of the queue after each expression (listing contents from head to tail), we have 1. ["Sweden"] 2. ["Sweden" "is"] 3. ["Sweden" "is" "my"] 4. ["is" "my"]  (and w gets set to "Sweden") 5. ["is" "my"]  (and x gets set to "is") 6. ["is" "my" "neighbor"] 7. ["my" "neighbor"] (and y gets set to "is") 8. [ "neighbor"]  (and z gets set to "my") 634151 2 Which of the following parts of a process’ memory is the largest? a. The code area b. The globals area *c. The heap d. The stack e. f. " g. " h. " i. " General Feedback: Heap is the largest. 634145 2 Prim’s Algorithm is used to solve what problem? a. Finding the lowest parent of a heap *b. Minimum spanning tree c. Shortest path in a graph from a source d. Sorting integers e. f. " g. " h. " i. " General Feedback: Prim's is used for MST. 633268 2 Suppose you have a tree with a maximum depth of d and an average branching factor of b (i.e. each node has b children). You are searching for a particular node S located at depth m (m <= d). You don't know where the node S is located, just that it is at depth m. What is an upper bound on the space complexity of breadth-first search (i.e. big-O notation) to find the node S starting from the root? a. O(d * b) *b. O(bd) c. O(db) d. O(b * m) e. O(bm) f. " g. " h. " i. " j. " General Feedback: In the worst case, we need to store all of the nodes, because the very last node we check at the maximum depth will be S.  The deepest nodes of the graph will have O(bd) nodes, and in the worst case we would need to store all of these nodes. 630945 2 Which of the following abstract datatypes would be the best choice for part of the implementation of the back button on a Web browser? *a. a Stack  b. a Queue c. a Priority Queue  d. a List  e. a Dictionary f. " g. " h. " i. " j. " General Feedback: When you click on the back button, you should see the last page you visited, so the datatype that stores the previously visited webpages must be last-in-first-out. Of the abstract datatypes listed, Stack is the only one that is last-in-first-out. 630947 2 Which of the following abstract datatypes would be the best choice for part of the implementation of a program modeling the arrival of patients to an emergency room in a hospital? a. a Stack b. a Queue c. A List *d. a PriorityQueue e. a Dictionary f. " g. " h. " i. " j. " General Feedback: In an emergency room, you want to serve patients in the order of how urgent their condition is, and if two patients have equally urgent conditions, in the order that they arrived. A PriorityQueue is the only abstract datatype listed that meets both of these conditions.  633266 2 Two algorithms accomplish the same task on a collection of N items. Algorithm A performs N/2 operations. Algorithm B performs N log N operations. Under what conditions does algorithm A offer better performance? a. N <= 4 b. N > 8 c. N > 2 *d. For all N. e. For no N. f. " g. " h. " i. " j. " General Feedback: For all legal collection sizes, N/2 < N log N. 633260 2 When is an adjacency matrix a good choice for implementing a graph? a. When the graph is undirected. *b. When the graph is nearly complete. c. When a graph has few edges. d. When the graph contains no cycles. e. When the graph is connected. f. " g. " h. " i. " j. " General Feedback: The adjacency matrix will compactly and efficiently store edges when it contains little wasted space. In a complete graph, each vertex shares an edge with each other vertex, meaning all elements in the adjacency matrix will be used. 634147 2 What is true about the pivot in quicksort? a. Before partitioning, it is always the smallest element in the list b. After partitioning, the pivot will always be in the centre of the list *c. After partitioning, the pivot will never move again d. A random choice of pivot is always the optimal choice, regardless of input e. f. " g. " h. " i. " General Feedback: As the pivot will be to the right of all smaller elements and to the left of all larger elements, it is in the same position it will be when the array is sorted. 633259 2 When is an adjacency list a good choice for implementing a graph? a. When the graph is undirected. b. When the graph is nearly complete. *c. When a graph has few edges. d. When the graph contains no cycles. e. When the graph is connected. f. " g. " h. " i. " j. " General Feedback: With adjacency lists are used, each vertex stores its own list of vertices it's connected to. When a graph contains few edges, these lists will be very short and will likely consume less memory than the adjacency matrix. 633257 2 You've got an algorithm that is O(N2). On the first run, you feed it a collection of size M. On the second run, you feed it a collection of size M / 2. Assuming each run has worst-case performance, how much time does the second run take? *a. 1/4 of the first b. 1/2 of the first c. 2/3 of the first d. 3/4 of the first e. 1/8 of the first f. " g. " h. " i. " j. " General Feedback: The first run took time proportional to M2. The second run took (M/2)2, or M2/4. The second run is 1/4 of the first. 633245 2 Two algorithms accomplish the same task on a collection of N items. Algorithm A performs N2 operations. Algorithm B performs 10N operations. Under what conditions does algorithm A offer better performance? *a. N < 10 b. N < 100 c. N > 10 d. For all N. e. For no N. f. " g. " h. " i. " j. " General Feedback: The two algorithms offer equal performance when N = 10. For N greater than 10, N2 > 10N. 635006 2 1. public BallPanel extends javax.swing.JPanel { 2. private Ball[] _balls; 3. public BallPanel(int numberOfBalls){ 4. ?????? 5. for (int i=0;i<_balls.length;i++) 6. _balls[i] = new Ball(); 7. } 8. }   We need to add something at line 4 above to avoid an error in line 5.  Which of the following line 4 expressions fix the error in line 5? a. super(); b. _balls.setLength(numberOfBalls); *c. _balls = new Ball[numberOfBalls]; d.  _balls.length = numberOfBalls; e. B, C, and D all work. f. " g. " h. " i. " j. " General Feedback: The problem with line 5 (without adding line 4) is that _balls is declared, but not instantiated as an array, so _balls is null.   The code compiles fine (assuming you have a class Ball that has a constructor with no parameters), but will crash at run time if you instantiate a BallPanel. B and D wouldn't help: B would crash at run time for the same reason as 5, and D gives a compile-time error since length is not directly settable for a Java array.   A would work, but would have no effect on the problem. 633279 2 Which of the following makes an appropriate pre-condition for this code? double calculate_percentage(double sum, double n) { // calculates and returns a percentage given a sum and a length (n) // // POST: none return (sum / n) * 100; } a. PRE: sum < 100 *b. PRE: n != 0 c. PRE: sum != NULL and n != NULL d. PRE: none e. f. " g. " h. " i. " General Feedback: The code will faill if n = 0, as it will divide by 0. 629623 2 Consider writing a program to be used by a farm to keep track of information about the fruits and vegetables they sell. For each sale, they would like to keep track of the type of item (eggplant, tomato, etc.), the quantity sold, the price, and the market at which the sale was made. Which of the following is the best way to represent the information? *a. Define one class, FarmSale, with four fields: type, quantity, price, and market. b. Define one superclass, FarmSale, with four subclasses: Type, Quantity, Price, and Market. c. Define five unrelated classes: FarmSale, Type, Quantity, Price, and Market. d. Define five classes: FarmSale, Type, Quantity, Price, and Market.. Make Market a subclass of Price, make Price a subclass of Quantity, make Quantity a subclass of Type, and make Type a subclass of FarmSale. e. Define five classes: FarmSale, Type, Quantity, Price, and Market. Make FarmSale a subclass of Type, make Type a subclass of Quantity, make Quantity a subclass of Price, and make Price a subclass of Market. f. " g. " h. " i. " j. " General Feedback: Which classes you define depends generally on the needs of the software. It might be good to have Market be a class of its own, with the address of the market, contact information for the organizers, etc. The item type might be modeled with a Product class, with information about the date it was planted, for example. But of the choices given, A is the best. We can rule out choices B, C, D, and E because price and quantity don't need data and associated methods of their own and are most appropriately modeled as fields in the FarmSale class. That leaves A. 629642 2 The word abstract in the class box for Vehicle means: a. Vehicle is the top level of the hierarchy b. Objects of type Vehicle can not be instantiated c. All concrete subclasses of Vehicle must implement or inherit all of Vehicle’s abstract methods *d. Both B and C are true e. All of the above f. " g. " h. " i. " j. " General Feedback: An object cannot be directly instantiated from an abstract class, i.e.  Vehicle v = new Vehicle(); is not legit, so B is true.  It is also true that every concrete (non-abstract) subclass of Vehicle must implement or inherit all of the methods defined as abstract in Vehicle.  So D is the answer. 629645 2 Suppose you are writing a Java program to be used to manage information about the inventory in a store. The store’s products include pagers, cell phones, and cameras. The cell phones are used for both communication and taking pictures, the pagers are only used for communication, and the cameras are used for taking pictures. Assume that a Product class has been defined. Which of the following is the best way to represent the remaining data? a. Define two subclasses of the Product class: Communicator and PictureTaker. Define two subclasses of the Communicator class: Pager and CellPhone; and define two subclasses of the PictureTaker class: CellPhone and Camera. *b. Define three subclasses of the Product class: Pager, CellPhone and Camera. Also define two interfaces: Communicator and PictureTaker. Define the Pager and CellPhone classes to implement the Communicator interface, and define the CellPhone and Camera classes to implement the PictureTaker interface. c. Define five new classes, not related to the Product class: Pager, CellPhone, Camera, Communicator, and PictureTaker. d. Define five subclasses of the Product class: Pager, CellPhone, Camera, Communicator, and PictureTaker. e. Define two subclasses of the Product class: Communicator and PictureTaker. Also define three interfaces: Pager, CellPhone, and Camera. Define the Communicator class to implement the Pager and CellPhone interfaces, and define the PictureTaker class to implement the CellPhone and Camera interfaces. f. " g. " h. " i. " j. " General Feedback: Answer A is the easiest to rule out -- it gives CellPhone two superclasses, which is not permitted in Java. C is not the best choice because it doesn't capture the relationships among the various items. D captures some of the relationships but not all (for example, it's missing the relationship between PictureTaker and Camera). Answers B and E are very similar -- they focus on the question of which items should be modeled by interfaces and which by classes. B is a better choice for several reasons. Pagers, phones, and cameras all have both behaviors and data -- for example, the list of phone messages for a phone and the ability to take pictures for both phones and cameras -- while PictureTaker and Communicator correspond to behaviors. In addition, defining PictureTaker as an interface allows us to capture the fact that a cell phone is a product, a picture taker, *and* a communicator.  632075 2 Consider the following short program, which does not meet all institutional coding standards: void vCodeString(char szText[ ]); /* First line */ #include #include #define MAX_LEN 12 int main(void) {      char szData[MAX_LEN];      printf("Enter some text to code: ");      scanf("%s", szData);      vCodeString(szData); /* Line 8 */      printf("Coded string is %s\n", szData); } void vCodeString(char szText[ ]) {      int i = -1;      while(szText[++i])      {           szText[i] += (char)2;      } } I would like to combine lines 8 and 9 into printf("Coded string is %s\n", vCodeString(szData)); Unfortunately, this gives me a syntax error. Why? a. The %s should be replaced by %c. b. The parameter to vCodeString should be szText c. The parameter to vCodeString should be shown as szData[ ]. d.  printf can only match %s to a variable, not to a function. *e. vCodeString does not return a value. f. " g. " h. " i. " j. " General Feedback: The printf function cannot take as a parameter a function which does not return a value 635015 2 The binary value 11011101 when coverted into a decimal value from two's complement notation is: *a. -35 b. 35 c. 221 d. -221 e. -33 f. " g. " h. " i. " j. " General Feedback: Conversion of negative numbers in two's complement into decimal requires a bit flip, followed by the binary addition of 1.  This value is then interpreted as an unsigned binary value. 632068 2 Note draft only topics and explanation tba Consider the following short program: #include void f1(void); int a; void main(void) {      int b;      a = b = 1;      f1();      printf("%d %d", a, b); } void f1(void) {      int b = 3;      a = b; } The output from the print statement will be: a. 1 1 b. 1 3 *c. 3 1 d. 3 3 e. 3 5 f. " g. " h. " i. " j. " General Feedback: Explanation to be completed 633240 2 Finding the minimum value in a complete and balanced binary search tree is a. O(1) *b. O(log N) c. O(N) d. O(N2) e. O(N log N) f. " g. " h. " i. " j. " General Feedback: The minimum is the root's left-most descendent, which can be reached in log N steps. 634971 2 An interface in Java can appropriately be used to model a. Abstract classes *b. Unrelated classes that share particular capabilities c. Related classes that share particular attributes d. Classes that communicate using the same network protocol e. None of the above f. " g. " h. " i. " j. " General Feedback: Interfaces allow us to specify common capabilities in unrelated classes: a way to say that two classes have the same methods without specifying the implementation (and allowing completely different implementations).  For closely related classes (near each other in inheritance hierarchy) we can get common capabilities by having them in a common ancestor.  Abstract classes provide a method to specify common capabilities via inheritance.  Interfaces cannot be used to specify that two classes share a set of attributes (i.e. instance variables), which can be done by having classes inherit from a common ancestor with those attributes. 629971 2 Suppose you are defining a Java ProductItem class to store information about the inventory in a store, and you want to give the class an instance variable for the number of those items currently in stock. Choose the best datatype for modeling this number: a. double b. float *c. int d. a user-defined NumberInStock class e. String f. " g. " h. " i. " j. " General Feedback: A and B are wrong because you want to model an integer, not a floating point number. E is wrong because you probably want to use this number for adding and subtracting, not just for display.  D is less good than C, because the built-in operations on ints will most likely be sufficient for the purposes of this variable.  633256 2 Suppose you have a tree with a maximum depth of d and an average branching factor of b (i.e. each node has b children).  You are searching for a particular node S located at depth m (m <= d).  You don't know where the node S is located, just that it is at depth m. What is an upper bound on the runtime complexity of breadth-first search (i.e. big-O notation) to find the node S starting from the root? a. O(d * b) *b. O(bd) c. O(db) d. O(b * m) e. O(bm) f. " g. " h. " i. " j. " General Feedback: In the worst-case, you would keep choosing sub-tree containing S last, and have to keep searching.  Thus the worst-case is O(bd). The following picture may help: 633604 2 What wil the following code print, assuming that N is a positive integer? int count=0; for (int i=0; i 8 d. For all N e. For no N f. " g. " h. " i. " j. " General Feedback: For N <= 7, (N/2)3 < N2. 632474 2 Identify the bug in the following Java code (if any): public boolean search(T item,ListADT list){ // 1 if (list == null) // 2 return false; // 3 else if (list.first()==item) // 4 return true; // 5 else // 6 return this.search(item, list.rest()); // 7 } // 8 a. There is no base case b. The problem is not self-similar c. The problem does not get smaller *d. There are no bugs e. None of the above f. " g. " h. " i. " j. " General Feedback: For a recursive solution to a problem, you need three things: (1) a base case (where the problem can be solved without recursion) (2) a self-similar problem (one that contains similar problem(s) to itself) (3) a way of making the problem smaller so you get closer to the base case Here (2) is satisfied -- lists contain smaller lists. (1) is satisfied by lines 2-5 of the method. And (3) is satisfied because line 7's recursive call takes the rest of the list as a parameter, rather than the whole list. 634918 2 Suppose QueueADT is implemented using a singly linked list. What is the lowest Big-Oh time complexity that can be achieved for an enqueue method?: *a. O(1) b. O(log2 n) c. O(n) d. O(n2) e. none of the above f. " g. " h. " i. " j. " General Feedback: If you keep a pointer to the last element of the queue, then the enqueue method just needs a fixed number of statements, which are the same independent of the size of the queue.  633554 2 What terminates a failed linear probe in a full hashtable? a. The end of the array b. A deleted node c. A null entry d. A node with a non-matching key *e. Revisiting the original hash index f. " g. " h. " i. " j. " General Feedback: A null entry will not appear in a full hashtable. Seeing the end of the array isn't correct, since we need to examine all elements, including those that appear before our original hash index. A node with a non-matching key is what started our probe in the first place. The purpose of leaving a deleted node in the table is so that probing may proceed past it. Revisiting the original hash index means we've looked at every entry and determined the item doesn't appear in the table. 632810 2 Which of the following assertions is incorrect? *a. A Python statement may return a value b. A Python expression may return a value c. A Python statement may produce a side effect d. A Python expression may produce a side effect e. None of the above (i.e., all are correct) f. " g. " h. " i. " j. " General Feedback: Basically, a statement in Python is a special kind of function that doesn't return a value.  Statements are things like print (in Python 2.x but not Python 3) and import. I think this is not a great question to put on a CS-1 exam beacuse it relies on terminology (statement, expression, side-effect) that doesn't really mean much until CS-2 or later. 633665 2 Consider the following class for a Ninja: public class Ninja { private int honor; public Ninja(int h) { this.honor=h; } }   Suppose we instantiate two Ninjas like this: Ninja n1=new Ninja(50); Ninja n2=new Ninja(50);   Is the following statement True, False, or It Depends: n1 == n2 a. True *b. False c. It depends (Note:  Be ready to explain what it depends upon during the discussion phase of this question) d. e. f. " g. " h. " General Feedback: These two references are not equal because they reference different instances. 634189 2 What is not a property of a max-heap? a. It is complete b. A node’s value is less than or equal to that of its parent *c. Its values are sorted in when printed in level order d. Its root is the maximum element in the tree e. f. " g. " h. " i. " General Feedback: A max-heap need not be sorted. 633882 2 Barack Obama wants to know the most efficient way to sort a million 32-bit integers. He knows it’s not bubble sort. What is? a. Heapsort b. Insertion sort c. Mergesort *d. Radix sort e. Quicksort f. " g. " h. " i. " j. " General Feedback: Radix sort will be O(n) and works nicely on integers; at such a large scale it will outperform the O(nlgn) sorting algorithms. (question is a reference to http://www.youtube.com/watch?v=k4RRi_ntQc8 ) 634250 2 Read the following method skeleton and choose the best expression to fill in the blank on line 2 so that the method will behave correctly: /** * Takes a string reference and counts the number of times * the character 'A' or 'a' appears in the string object. * @param aString String reference to object containing chars. * @precondition aString is not null (you may assume this is true). * @return The number of times 'A' or 'a' appears in the string. */ public static int countAs(String aString) // line 1 { int counter = __________; // line 2 int totalA = 0; // line 3 while (counter < __________) // line 4 { if ( __________.equals("A") ) // line 5 { totalA = totalA + __________; // line 6 } counter++; // line 7 } return __________; // line 8 } *a. 0 b. 1 c. aString.size() d. aString.length e. aString.length() - 1 f. " g. " h. " i. " j. " General Feedback: This method must examine each character in the given string to see if it is 'A' or 'a', and uses a loop to do so.  The variable counter is being used as a loop index, and by imagining what will fill in other blanks, is also being used to keep track of the position of the current character in the string that is being examined.  Since line 7 methodically increases counter on each loop iteration, it must be traversing left-to-right through the string, so zero is the best choice for its initial value. 633561 2 You are writing a depth-first search on a platform that doesn't support recursion. What data structure can help you complete your task? *a. stack b. queue c. priority queue d. hashtable e. linked list f. " g. " h. " i. " j. " General Feedback: As you visit nodes, if you push their neighbors on a stack, the neighbors will be the first popped off when you need to backtrack. This behavior is what makes a depth-first search depth-first. 632571 2 The worst-case time complexity of radix sort is: a. O(1) b. O(n) *c. O(k n) d. O(n2) e. none of the above f. " g. " h. " i. " j. " General Feedback: n is the number of items to be sorted, as usual, and k is the number of digits in the largest number in the list. Radix sort processes the entire list (n numbers) once for each of the k digits in the largest number in the list, so the work done is proportional to n*k.  632572 2 A chained hash table has an array size of 512. What is the maximum number of entries that can be placed in the table? a. 256 b. 511 c. 512 d. 1024 *e. There is no maximum. f. " g. " h. " i. " j. " General Feedback: In a hashtable with chaining, each element is assigned to a particular cell in the array (a "bucket") using the hash function. Each bucket has a pointer to the start of a linked list, and the elements assigned to that bucket are stored in the linked list.  634253 2 Read the following method skeleton and choose the best expression to fill in the blank on line 6 so that the method will behave correctly: /** * Takes a string reference and counts the number of times * the character 'A' or 'a' appears in the string object. * @param aString String reference to object containing chars. * @precondition aString is not null (you may assume this is true). * @return The number of times 'A' or 'a' appears in the string. */ public static int countAs(String aString) // line 1 { int counter = __________; // line 2 int totalA = 0; // line 3 while (counter < __________) // line 4 { if ( __________.equals("A") ) // line 5 { totalA = totalA + __________; // line 6 } counter++; // line 7 } return __________; // line 8 } a. 0 *b. 1 c. counter d. aString.length() e. aString.charAt(count) f. " g. " h. " i. " j. " General Feedback: The variable totalA is being used as an accumulator to keep track of how many A's have been seen so far as the loop progresses.  The if condition inside the loop is intended to detect whether the current character is an "A", and so the variable totalA should be incremented each time the condition is true.  Therefore, the best answer for Line 6 is 1, so that totalA is incremented. 632766 2 The following code for a method "minVal" contains a logic error on a single line in the method body, on one of the four lines indicated by comments: public static int minVal(int[] y, int first, int last) { /* This method returns the value of the minimum element in the * subsection of the array "y", starting at position * "first" and ending at position "last". */ int bestSoFar = y[first]; // line 1 for (int i=first+1; i<=last; i++) { if ( y[i] < y[bestSoFar] ) // line 2        bestSoFar = y[i];             // line 3   } // for   return bestSoFar;                  // line 4 } // method minVal Which one of the four lines indicated by the comments contains the logic error? a. line 1 *b. line2 c. line3 d. line4 e. f. " g. " h. " i. " General Feedback: line 2 should be if ( y[i] < bestSoFar ) The other three lines use bestSoFar to remember the best VALUE seen thus far, whereas the buggy line is using bestSoFar as if bestSoFar contains the POSITION seen thus far. 634282 2 What is the size of the largest max-heap which is also a BST? *a. 2 b. 1 c. 4 d. 3 e. f. " g. " h. " i. " General Feedback: You can have a left child of the root, but as soon as you add the right child, it falls apart. 632764 2 The following code for a method "minVal" contains a logic error on a single line in the method body, on one of the four lines indicated by comments: public static int minVal(int[] y, int first, int last) { /* This method returns the value of the minimum element in the * subsection of the array "y", starting at position * "first" and ending at position "last". */ int bestSoFar = y[first]; // line 1 for (int i=first+1; i<=last; i++) { if ( y[i] < bestSoFar ) // line 2        bestSoFar = i;                // line 3   } // for   return bestSoFar;                  // line 4 } // method minVal Which one of the four lines indicated by the comments contains the logic error? a. line 1 b. line2 *c. line3 d. line4 e. f. " g. " h. " i. " General Feedback: line 3 should be bestSoFar = y[i]; The buggy code is remembering an array position, but the correct code remembers the value. 618493 2 How many objects and object reference would we have if the following code is executed? Student first_st = new Student(); Student second_st = new Student(); Student third_st = second_st; a. 3, 2 *b. 2, 3 c. 2, 2 d. 3, 3 e. f. " g. " h. " i. " General Feedback: 2, 2 633574 2 Suppose you try to perform a binary search on the unsorted array {1, 4, 3, 7, 15, 9, 24}. How many of the items in this array will be found if they are searched for? a. 3 b. 4 *c. 5 d. 6 e. 0 f. " g. " h. " i. " j. " General Feedback: 7, 4, 9, 24, and 1 will be found if searched for. 15 and 3 will not, since they lie to the wrong side of a subrange's midpoint. 633668 2 Consider the following class for a Ninja: public class Ninja { private int honor; public Ninja(int h) { this.honor=h; } }   Suppose we instantiate two Ninjas like this: Ninja n1=new Ninja(50); Ninja n2=new Ninja(50);   Is the following statement True, False, or It Depends (i.e. depends on a factor external to this question) n1.equals(n2) a. True *b. False c. It depends (Be ready to discuss what it depends on when we get to the discussion phase of this question) d. e. f. " g. " h. " General Feedback: The equals() method has not been overloaded, so it's using the default implementation of equals() in Java, which falls back on ==. This is sort of a trick question, but it's a reasonably common error pattern in CS-2. 634432 2 Dummy question: Bloom tags.  a. blaha *b. blaha c. blaha d. e. f. " g. " h. " General Feedback: This question has a tag for each one of the Bloom tags so we can see how many questions there are of each. (Note: delimiters are included in case of errors). 631541 2 How many number will be printed if n = 5? public static void cSeries(int n) {       System.out.print(n + " ");       if (n == 1) return;       if (n % 2 == 0) cSeries(n / 2);       else cSeries(3*n + 1); } a. 3 b. 4 c. 5 *d. 6 e. f. " g. " h. " i. " General Feedback: 5 632300 2 For Club Scripting, to be a member a person must be aged 15 or older, but less than 50. What values would you use to boundary test a script designed to check if a person was a suitable age to join? a. 14, 15, 50, 51 b. 15, 16, 50, 51 c. 15, 16, 49, 50 *d. 14, 15, 49, 50 e. 13, 15, 49, 52 f. " g. " h. " i. " j. " General Feedback: The boundary values are those at the boundary and those respectively one before and one past the boundary 634931 2 Consider a picture that is x pixels wide and y pixels tall.  Furthermore, consider storing the x*y pixels in a one-dimensional array which stores the pixels in a left-to-right, top-to-bottom manner. Consider the following code: def pixelSwap (pixels):      pixCount = len(pixels) - 1      for p in range (0, len(pixels)/2):           tempPixel = pixels[p]           pixels[p] = pixels[pixCount - p]           pixels[pixCount - p] = tempPixel If the array of pixels originally represented the following picture: Which of the following pictures represents the pixel array after invoking pixelSwap? a. The picture is unchanged. b. The picture is rotated 90 degrees clockwise. c. The picture is rotated 90 degrees counterclockwise. *d. The picture is rotated 180 degress. e. None of the above. f. " g. " h. " i. " j. " General Feedback: The first pixel becomes the last, the second pixel, becomes the second last, etc.  This is a list reversing algorithm.  For a picture, the result is to rotate it 180 degrees. 634252 2 Read the following method skeleton and choose the best expression to fill in the blank on line 5 so that the method will behave correctly: /** * Takes a string reference and counts the number of times * the character 'A' or 'a' appears in the string object. * @param aString String reference to object containing chars. * @precondition aString is not null (you may assume this is true). * @return The number of times 'A' or 'a' appears in the string. */ public static int countAs(String aString) // line 1 { int counter = __________; // line 2 int totalA = 0; // line 3 while (counter < __________) // line 4 { if ( __________.equals("A") ) // line 5 { totalA = totalA + __________; // line 6 } counter++; // line 7 } return __________; // line 8 } a. aString.charAt(counter) b. aString.substring(counter) c. aString.charAt(counter).toUpperCase() d. aString.substring(counter).toUpperCase() *e. aString.substring(counter, counter + 1).toUpperCase() f. " g. " h. " i. " j. " General Feedback: While both charAt() can be used to examine a single char in a string, char is a primitive type without any methods.  Since the condition on Line 5 uses the equals() method to compare against another String value, the expression used to fill in the blank must produce a String object, so the substring() method is a better fit.  The substring() method takes two parameters--a starting index and an ending index one past the end of the substring--and since the method counts both upper case and lower case A's, the result should be converted to upper case form before testing for equality against "A".  Thus, the best answer is aString.substring(counter, counter + 1).toUpperCase(). 634932 2 You need to traverse a singly-linked list in reverse. What's the best worst-case performance you can achieve? a. O(1) b. O(log N) *c. O(N) d. O(N log N) e. O(N2) f. " g. " h. " i. " j. " General Feedback: Iterate through the list in the forward direction, but prepend each node on a second list as you do. Then iterate through the second list, which will be in the desired reverse order and traversable in O(N) time. 632271 2 Which data structure can be used to implement an abstract datatype such as the StackADT or QueueADT? a. an array b. a linked list *c. both d. neither e. f. " g. " h. " i. " General Feedback: StackADT and QueueADT can both be implemented with either an array or a stack. Either may be the better choice, depending on the purpose of the program and the nature of the data being stored.  632278 2 Which data structure uses space more efficiently if the program is storing substantially less data than expected? a. An array *b. A linked list c. They are both the same d. e. f. " g. " h. " General Feedback: For an array, you must set aside a block of memory in advance. A linked list only creates nodes for those elements that are actually contained in the list.  617507 2 How many objects are created in the following declaration? String[] names = new String[10]; a. 0 *b. 1 c. 10 d. 11 e. None of the above f. " g. " h. " i. " j. " General Feedback: None of the above 632880 2 We say indexing is fast if it's done in O(1) time, searching is fast if done in O(lg N) time, and inserting and deleting are fast if done in O(1) time. Compared to other data structures, unsorted linked lists offer: a. slow indexing, slow search, slow insertions and deletions. b. fast indexing, fast search, slow insertions and deletions. c. fast indexing, slow search, slow insertions and deletions. *d. slow indexing, slow search, fast insertions and deletions. e. slow indexing, fast search, fast insertions and deletions. f. " g. " h. " i. " j. " General Feedback: Linked lists do not support fast indexing. To get at element i, one must traverse the list i steps. Slow indexing makes for slow searching, as the binary search relies upon fast indexing to retrieve the middle element. Insertions and deletions, on the other hand, can be done in constant time, as only one or two neighboring links are affected. 634930 2 Consider the following code snippet that copies elements (pixels) from one 2-d array (called pict), with maximum dimensions of maxWidth and maxHeight into another 2-d array called canvas. canvas = [][] for row in range (0, maxHeight):     for col in range (0, maxWidth):         origPixel = pict[col][row]         canvas[width-1-col][row = origPixel If one were to display canvas, how would it compare to the orignal picture (as represented by pict)? *a. Rotated 180 degrees around the vertical center line/column. b. Rotated 180 degrees around the horizontal center line/row. c. Rotated left 90 degrees. d. Rotated right 90 degrees. e. Rotated 180 degrees. f. " g. " h. " i. " j. " General Feedback: Each pixel remains on the same row (line) that it originally was on.  For any given row, the leftmost pixel swaps positions with the rightmost.  The second pixel in a row swaps positions with the second last pixel in that row, etc.  Hence, the picture is rotated across the vertical center line. 634192 2 What is a shorter way to write if(p == NULL) ? a. if(p) *b. if(!p) c. d. e. f. " g. " General Feedback: Answer is B. 632312 2 An example of something that could be built using a QueueADT is a structure that models: a. The undo operation in a word processor b. the back button in a web browser *c. the customers waiting to talk to an online helpdesk d. a hundred names in alphabetical order, where names are added and removed frequently e. the roads and intersections in a city f. " g. " h. " i. " j. " General Feedback: Choices A and B are applications where when you delete, you need to delete the item that was added most recently (a LIFO structure). This is not possible in a queue, where you always delete the item that was added *first*. Choice D is an application where you need to be able to delete from the beginning, middle, or end of the structure, something that is also impossible in a queue.  Choice E is an application where a element (an intersection) could be connected to several other elements. This is also impossible in a queue. Choice C is the only one where it makes sense to retrieve the elements in the order in which they arrived.  633221 2 This sorting algorithm splits the collection into two halves, sorts the two halves independently, and combines the results. a. selection sort b. insertion sort c. bubble sort d. quick sort *e. merge sort f. " g. " h. " i. " j. " General Feedback: Merge sort splits the collection, sorts the two halves, and merges them. 633243 2 Locating a new node's insertion point in a binary search tree stops when *a. We reach a null child. b. We find a node greater than the node to be inserted. c. We reach the tree's maximum level. d. We find a node lesser than the node to be inserted. e. We find a node without any children. f. " g. " h. " i. " j. " General Feedback: Finding nodes less than or greater than the new node happens frequently as we traverse the tree. Tree's don't have maximum levels. The insertion point isn't necessarily a leaf node. The remaining option of stopping when we reach null is the correct answer because we have found the new node's parent node. 634173 2 What are hash functions not used for? (Or at least, should not be used for.) a. Storing values in hash tables b. Checking file integrity *c. Encrypting passwords d. Digital signatures on files e. f. " g. " h. " i. " General Feedback: Hash functions should be used to store passwords, but not to encrypt them! 617508 2 How many objects are created in the following declaration? String name; *a. 0 b. 1 c. This declaration causes a run-time error d. It is not legal to write this declaration in Java e. f. " g. " h. " i. " General Feedback: It is not legal to write this declaration in Java 634194 2 Nathan is on the run (apparently the US is about to invade Canada). He needs to grab food. Each piece of food around him has a nutritional value, and a weight. He wants to put the most calories in his backpack, but it can only hold up to certain weight. What should he optimize for when deciding which foods to bring? a. The value of food *b. The value / weight ratio of food c. The weight / value ratio of food d. The weight of food e. f. " g. " h. " i. " General Feedback: Greedy approach to fractional knapsack. 629973 2 Suppose you are defining a Java ProductItem class to store information about the inventory in a store, and you want to give the class an instance variable for the price of that item. Which of the following is the best datatype for the instance variable that models the price? a. double b. float c. int d. String *e. a user-defined Money class f. " g. " h. " i. " j. " General Feedback: Arguments can be made for any of these choices (except perhaps "int"). I would give Money an edge, because a user-defined class allows you to write methods to display the value properly, do arithmetic on it, and perhaps convert it to different currencies. But I'm going to tag this as a question with more than one answer.  634905 2 1.public class FirstApp extends wheels.users.Frame { 2. private wheels.users.Ellipse _ellipse; 3. 4. public FirstApp() { 5. _ellipse = new wheels.users.Ellipse(); 6. } 7. 8. public static void main(String[] args) { 9. FirstApp app = new FirstApp(); 10. } 11.}   What does line 2 accomplish (cause to happen)? a. wheels.users.Ellipse is given _ellipse as an alias b. An invisible Ellipse is drawn on the screen *c. _ellipse is declared as a wheels.users.Ellipse d. wheels.users.Ellipse is set to be a private object e. _ellipse is instantiated as a wheels.users.Ellipse f. " g. " h. " i. " j. " General Feedback: Remember that in Java we need to declare variables, and then instantiate them (using new).  Line 2 is simply a declaration -- the variable gets instantiated (in line 5) when a FirstApp gets instantiated. 632876 2 We say indexing is fast if it's done in O(1) time, searching is fast if done in O(lg N) time, and inserting and deleting are fast if done in O(1) time. Compared to other data structures, unsorted arrays offer: a. slow indexing, slow search, slow insertions and deletions. b. fast indexing, fast search, slow insertions and deletions. *c. fast indexing, slow search, slow insertions and deletions. d. slow indexing, slow search, fast insertions and deletions. e. slow indexing, fast search, fast insertions and deletions. f. " g. " h. " i. " j. " General Feedback: Unsorted arrays can be indexed in constant time (which is fast), searched in O(N) time (which is not as good as O(lg N)), and restructured in O(N) time (which is not as good as O(1) time). 634933 2 One of the things in Java that allows us to use polymorphism is that the declared type and actual type of a variable may be different. In Java, the actual type of a parameter or variable’s value can be any concrete class that is a. the same as the declared type, or any subclass of the declared type (if the declared type is a class) b. any class that implements the declared type (if the declared type is an interface) c. any subclass of a class that implements the declared type (if the declared type is an interface) *d. A, B, and C above. e. A and B above, but not C f. " g. " h. " i. " j. " General Feedback: The rule of thumb is that the declared type is the same or more abstract than the actual type.  If the declared type is a class, the things that are equally or less abstract are its descendants -- a subclass specializes a class.  If declared type is an interface, it is an abstraction of any class that implements it, or by the relationship between classes and its descendants, any class that is a subclass of something that implements it. Java wants a guarantee that the actual type will have the declared type's methods.  That can be via inheritance or implementing an interface, or a combination of the two. 632218 2 An example of something that could be implemented using a Stack is: a. The undo operation in Word b. The back button in a web browser c. A postfix calculator *d. All of the above e. Items (A) and (B) only f. " g. " h. " i. " j. " General Feedback: Anytime you're solving a problem where you're adding and removing data and you always need to remove the item that was added most recently is suited to a Stack. This is called a last-in-first-out property, or LIFO. Back buttons, the undo operation, and postfix calculators all have the last-in-first-out property.  630951 2 Suppose you are writing software for a helpdesk. Each request is entered into the system as it arrives.  Which of the following abstract datatypes would be the best choice to ensure that the requests are handled in exactly the same order in which they arrive? a. A Stack *b. A Queue c. A List d. A PriorityQueue e. A Dictionary f. " g. " h. " i. " j. " General Feedback: A Queue is the only abstract datatype where elements are removed in exactly the same order that they arrived in.  617450 2 If an inorder traversal of a complete binary tree visits the nodes in the order ABCDEF (where each letter is the value of a node), which order are the nodes visited during an postorder traversal? a. ABDECF b. DEBFCA c. DBFACE d. DBACFE *e. ACBEFD f. " g. " h. " i. " j. " General Feedback: DBACFE 633269 2 What is not true about a binary search tree? a. It is a binary tree *b. It is a perfect tree c. The leftmost node is the smallest node in the tree d. When printed with inorder traversal, it will be sorted e. f. " g. " h. " i. " General Feedback: BSTs need not be perfect. 632266 2 Suppose you are trying to choose between an array and a singly linked list to store the data in your Java program. Which arguments would correctly support one side or the other? a. Linked lists are better suited to a program where the amount of data can change unpredictably.  b. Arrays provide more efficient access to individual elements.  c. Linked lists provide more efficient access to individual elements.  *d. A and B only e. A, B, and C f. " g. " h. " i. " j. " General Feedback: Array elements can be accessed in constant time, but access to an element of a linked list is O(n), so B is correct and C is incorrect. A is also correct, because arrays require you to guess how much memory will be needed and set aside a fixed amount, while linked lists use memory as needed for the data that are being stored. Since A and B are correct and C is not, the answer is D. 633398 2 The insertion sort operates by maintaining a sorted list. When a new element is added, we traverse the list sequentially until will find the new element's appropriate location. Suppose instead that the new location was found using a binary search instead of a sequential search. What is the complexity of this new binary insertion sort? a. O(N) b. O(log N) c. O(N + log N) d. O(N * log N) *e. O(N2) f. " g. " h. " i. " j. " General Feedback: The binary search will indeed speed up finding the location of the newly added object. However, we still have the problem of shifting all subsequent elements. This algorithm, like the regular insertion sort, is O(N2). 634936 For the binary search algorithm implemented on a sorted list stored in an array, what is its running time? a. O(1) *b. O(log2 n) c. O(n) d. O(n log2 n) e. O(n2) f. " g. " h. " i. " j. " General Feedback: Binary search repeately "throws away" half of the list still under investigation when looking for a given value in the list.  Hence the run time of the algorithm is the number of times a values can be divided in two, until one reaches the value 1: O(log2 n) 633218 Suppose we're modeling a person with just name and age. The notation {"Javier", 31} refers to a 31-year-old named Javier. Now, suppose we have this collection of five people: {"Lupe", 29} {"Dean", 29} {"Lars", 28} {"Javier", 31} {"Di", 28} Which of the following ordered collections is the result of applying a stable sort to this collection, where the sorting criteria orders by age? a. {"Javier", 31} {"Dean", 29} {"Lupe", 29} {"Di", 28} {"Lars", 28} *b. {"Javier", 31} {"Lupe", 29} {"Dean", 29} {"Lars", 28} {"Di", 28} c. {"Lars", 28} {"Di", 28} {"Dean", 29} {"Lupe", 29} {"Javier", 31} d. {"Lars", 28} {"Di", 28} {"Dean", 29} {"Lupe", 29} {"Javier", 31} e. {"Di", 28} {"Lars", 28} {"Dean", 29} {"Lupe", 29} {"Javier", 31} f. " g. " h. " i. " j. " General Feedback: A stable sort preserves the relative order of elements with the same keys. Thus, Lupe must appear before Dean and Lars must appear before Di. Only the correct answer maintains this order. 632268 Which data structure provides direct access to elements using indexes? *a. an array b. a linked list c. both d. neither e. f. " g. " h. " i. " General Feedback: If you declare an array in languages that have them, such as Pascal, C, C++, Java, etc., you can access an element of the array by giving the index of the value to be retrieved.  632247 The StackADT's pop operation: a. adds a new item at the bottom of the Stack b. returns without removing the top item on the Stack *c. removes and returns the top item on the Stack d. adds a new item at the top of the Stack e. returns true if the Stack is empty and otherwise false f. " g. " h. " i. " j. " General Feedback: "pop" is the traditional term for removing an element from a stack. By definition, the element removed from a stack is always the one that was added most recently, or the one at the "top." 632315 The dequeue operation: a.  adds a new item at the front of a queue b. returns without removing the item at the front of a queue *c. removes and returns the item at the front of a queue d. adds a new item at the end of a queue e. returns true if a queue is empty and otherwise false f. " g. " h. " i. " j. " General Feedback: dequeue is the name for the operation that removes an element from a queue. Specifically, it removes the item that was added *first* (just as the first person in a line gets served first).  632174 What does this function do? void iFunction(char sz[]) {      int iLen = 0;      while ( sz[iLen])       sz[iLen++] = '-'; } a. Copies a string b. Finds and returns a character in a string *c. Replaces all letters in a string with - characters d. Finds the length of a string e.  Finds and returns the end of a string f. " g. " h. " i. " j. " General Feedback: The Function iterates through the array to the end, replacing each character with the "-" character 632095 What will be printed? public static void main(String [] args){         int[] array = {1, 2, 3, 4, 1, 2, 3, 4};         System.out.print( specialSum(array, 3)); } public static int specialSum (int[] integerArray , int index){         int sum = index % 2 ==0 ? integerArray [index]*2 : integerArray [index] +1;         if( index == 0) return sum;         return sum + specialSum(integerArray, index-1); } *a. 16 b. 32 c. 15 d. 30 e. f. " g. " h. " i. " General Feedback: 15 635077 Consider this code segment: boolean x = false; boolean y = true; boolean z = true; System.out.println( (x || !y) && (!x || z) );   What value is printed? a. true *b. false c. Nothing, there is a syntax error d. e. f. " g. " h. " General Feedback: Since x is false and y is true, (x || !y) is false.  This forces the entire expression to be false, because of the && operator. 632165 What is output by the code shown in the question below. Think aboutit carefully - it may be a bit tricky! void main(void) {      static int aiTable[10] = {0,1,2,3,4,5,6,7,8,9};      int i;      for(i = 0; i < 10; i++)      {           if( !(aiTable[i] % 2))                printf("%d", aiTable[i]);      } } *a. 02468 b. 13579 c. 01234 d. 56789 e. 0123456789 f. " g. " h. " i. " j. " General Feedback: Modulus is the remainder of integer division of two numbers with the result placed somewhere. The modulus function of a and b, a being the dividend and b being the divisor, is a - int(a/b) * b. For example, using integer results... 47/4 = 11 47%4 = 3 Check it: 47 = 11*4 + 3 Source http://wiki.answers.com/Q/What_is_the_difference_between_division_and_modulus_in_%27C%27_language In this case the negatively phrased line of code "if( !(aiTable[i] % 2))" is an alternative way of  expressing the more common phrasing of a modulus arithmetic expression as given below If you wanted to know if a number was odd or even, you could use modulus to quickly tell you by asking for the remainder of the number when divided by 2. #include using namespace std; int main() {       int num;      cin >> num;      // num % 2 computes the remainder when num is divided by 2      if ( num % 2 == 0 )      {            cout << num << " is even ";      } return 0; } The key line is the one that performs the modulus operation: "num % 2 == 0". A number is even if and only if it is divisible by two, and a number is divisible by another only if there is no remainder. source: http://www.cprogramming.com/tutorial/modulus.html 631460 In Java, which of the following is not considered to be part of the signature of a method? *a. Return type b. Method name c. Number of parameters d. Types and order of parameters e. All of the above are part of the signature f. " g. " h. " i. " j. " General Feedback: In Java the return type is not considered as part of the signature.  Why should I care?  If i want to use method overloading (have different methods with the same name) the methods must have unique signatures, and so i cannot have 2 methods with the same name that have the same number, type, and order of parameters that differ on return type. 631458 Given the code int x = 27; int y = 12;   What is the value of the expression x%y? a. 2 b. 2.25 *c. 3 d. 3.0 e. None of the above. f. " g. " h. " i. " j. " General Feedback: In Java, the % operator means "remainder." So this question is asking, "What is the remainder when you divide 27 by 12?"   27 - (2*12) = 3, so the answer is 3. 631452 Given the code int x = 27; int y = 12;   What is the value of the expression  x/y? *a. 2 b. 2.25 c. 3 d. 3.0 e. None of the above. f. " g. " h. " i. " j. " General Feedback: In Java, when we divide one int value by another, we get another integer. You can start by doing the usual division (which would give you 2.25 in this case) and then remove the decimal part.  633244 Suppose you have a binary search tree with no right children. Furthermore, key A is considered greater than key B if A.compareTo(B) >= 0. Which of the following explains how this tree may have ended up this way? a. It was filled in ascending order. b. The root value was the minimum. c. All keys were identical. d. The tree is a preorder tree. *e. It was filled in descending order. f. " g. " h. " i. " j. " General Feedback: If the greatest node was inserted first, with each successive node having a lesser key than its predecessor, we'd end up with all left children. Adding nodes with identical keys produces right children. 634934 What is the logic error in the following implementation of sequential search? 1  def sequentialSearch(listOfValues): 2       target = input("value searching for: ") 3       listSize = len(listOfValues) 4       targetFound = False 5       targetLocation = 0 6       current = 0 7       while (current < listSize): 8            if (listOfValues[current] == target): 9                 targetFound = True 10               targetLocation = current 11          else: 12               targetFound = False 13          current = current + 1 14      if targetFound: 15           print "the target was found at location: ", targetLocation 16      else: 17          print "target was not found" a. Line 10 b. Line 7 *c. Lines 11-12 d. Line 8 e. None of the above. f. " g. " h. " i. " j. " General Feedback: The else clause resets targetFound if a match is ever found.  Hence, in effect, with this else clause present, only the test with the last element in the list is "remembered." 633255 Which of the following lines of code will correctly read in the integer value foo? *a. scanf("%d", &foo); b. scanf("%f", foo); c. scanf("%f", &foo); d. scanf("%f\n", foo); e. f. " g. " h. " i. " General Feedback: (A) is the correct answer; %d is used for reading in integers. The \n in (D) is unnecessary. Finally, scanf requires a pointer to a variable's address -- hence the ampersand. 632102 A printer is shared among several computers in a network. Which data structure is proper to keep the sent prints in order to provide service in turn? *a. Queue b. Stack c. Single Linked List d. one dimensional array e. f. " g. " h. " i. " General Feedback: Single Linked List 632101 Java virtual machine handles a chain of method calls. Which data structure is proper for this purpose? a. Queue *b. Stack c. single linked list d. one dimensional array e. f. " g. " h. " i. " General Feedback: single linked list 633250 Removing a node from a heap is a. O(1) *b. O(log N) c. O(N) d. O(N log N) e. O(N2) f. " g. " h. " i. " j. " General Feedback: The last node is moved into the empty spot, which may be the root, and it may trickle back down to the bottom level. The performance is based on the number of levels in the tree. As heaps are balanced, the performance is O(log N). 632099 We need to keep track of the changes that a user makes when working with a word processor. Which data structure is more proper for this purpose? a. Queue *b. Stack c. Single Linked List d. one dimensional array e. f. " g. " h. " i. " General Feedback: Single Linked List 631283 Suppose you have a list of numbers stored in consecutive locations in a Java array. What is the worst-case time complexity of finding a given element in the array using linear search? a. O(1) b. O(log n) *c. O(n) d. O(n log n) e. O(n2) f. " g. " h. " i. " j. " General Feedback: Linear search is O(n). 632108 Which data structure has a better performance when customer offers needs to be stored/restored for an auction? a. An array b. A single linked list *c. A priority queue d. A tree e. f. " g. " h. " i. " General Feedback: A priority queue 634201 Noor writes a program in C to evulate some Taylor series, to help her with her calculus homework. She remembers to #include before calling the pow function. But when she compiles with gcc taylor.c, she gets an error that pow is undefined. What she should instead type in the command-line to compile successfully? a. gcc taylor.c -01 *b. gcc taylor.c -lm c. gcc taylor.c -math d. gcc taylor.c -o taylor e. f. " g. " h. " i. " General Feedback: -lm will manually link the math library. 632109 What node will be visited after A in a preorder traversal of the following tree?     a. S b. D *c. N d. I e. f. " g. " h. " i. " General Feedback: N 632473 public int factorial (int n) { if (n == 0) return 1; else if (n > 0) return n * factorial(n - 1); else return -1; // invalid input } The Big-Oh time complexity of this method is: a. O(1) b. O(log n) *c. O(n) d. O(n2) e. none of the above f. " g. " h. " i. " j. " General Feedback: The factorial method will be called n times, so the time complexity is proportional to n. 632065 Assuming "FRED" is an ASCII text file which opens correctly, what will be displayed by this code? #define MAX 128 FILE *pFile = fopen("FRED", "r"); unsigned uCount = 0; while(!feof(pFile)) {      char ch;      ch = fgetc(pFile);      uCount++; } printf("%u", uCount); *a. The number of characters in the file b. The number of words in the file c. The number of sentences in the file d. The number of lines of text in the file e. The number of words on the last line of text in the file f. " g. " h. " i. " j. " General Feedback: The function reads the file character by character and increments a counter on each read, the result of which is printed on reaching the end of file giving the total character count in the file 632063 An array has been declared as shown then used to store the data in the table below. int iTable[3][5]; /* Declaration */ 27 32 14   9 26 74 42 30 15 19 41 63 48 20  3 What is the value of iTable [3] [4]? a. 3 b. B c. 19 d. 20 *e.  iTable[3][4] does not exist f. " g. " h. " i. " j. " General Feedback: The index values for the array start from 0 so iTable [3] [4] refers to the 4th row and the 5th column, where the 4th row does not exist for additional explanation cf. http://www.tutorialspoint.com/cprogramming/c_multi_dimensional_arrays.htm 632007 Which of the following is a list of Java class names that are both syntactically legal and obey the standard naming convention? a. R2D2, Chameleon, public *b. R2D2, Chameleon, Iguana c. r2d2, chameleon, public d. R2D2, Iguana, _hello e. none of the above f. " g. " h. " i. " j. " General Feedback: Choice (b) is correct, because all of the names start with an uppercase letter, followed by 0 or more letters, numbers, and/or underscores.  634948 When we use recursion to solve a problem, we have a problem that contains one or more problems that are similar to itself a version of the problem that is simple enough to be solved by itself, without recursion, and a way of making the the problem simpler so that it is closer to (and ultimately the same as) the version in 2. What is 2. called? a. The simple case b. The inductive case *c. The base case d. The iterative case e. None of the above f. " g. " h. " i. " j. " General Feedback: Base case is the term we use for the case that is simple enough to solve directly.   We probably lifted the term from induction proofs in Mathematics, which is fitting. 634196 What will the following code output? int arr[5]; int *p = arr; printf("p is %p -- ", p); ++p; printf("p is %p \n", p); a. p is 0x7fffb04846d0 – p is 0x7fffb04846d1 b. p is 0x7fffb04846d0 – p is 0x7fffb04846d2 *c. p is 0x7fffb04846d0 – p is 0x7fffb04846d4 d. Segmentation fault e. f. " g. " h. " i. " General Feedback: p will increase by the sizeof(int) == 4. 632076 Consider the following short program, which does not meet all institutional coding standards: void vCodeString(char szText[ ]); /* First line */ #include #include #define MAX_LEN 12 int main(void) {      char szData[MAX_LEN];      printf("Enter some text to code: ");      scanf("%s", szData);      vCodeString(szData); /* Line 8 */      printf("Coded string is %s\n", szData); } void vCodeString(char szText[ ]) {      int i = -1;      while(szText[++i])      {           szText[i] += (char)2;      } } With the array size defined as MAX_LEN (or 12) bytes, what happens if I enter a word with more than 12 letters, such as hippopotamuses? a. You will get a run time error b. You will get a syntax error from the compiler *c. Other data may be overwritten d. The array will be enlarged e. Nothing - it is legal and perfectly normal. f. " g. " h. " i. " j. " General Feedback: Now, C provides open power to the programmer to write any index value in [] of an array. This is where we say that no array bound check is there in C. SO, misusing this power, we can access arr[-1] and also arr[6] or any other illegal location. Since these bytes are on stack, so by doing this we end up messing with other variables on stack. Consider the following example : #include unsigned int count = 1; int main(void) { int b = 10; int a[3]; a[0] = 1; a[1] = 2; a[2] = 3; printf("\n b = %d \n",b); a[3] = 12; printf("\n b = %d \n",b); return 0; } In the above example, we have declared an array of 3 integers but try to access the location arr[3] (which is illegal but doable in C) and change the value kept there. But, we end up messing with the value of variable ‘b’. Cant believe it?, check the following output . We see that value of b changes from 10 to 12. $ ./stk b = 10 b = 12 Source http://www.thegeekstuff.com/2011/12/c-arrays/ 634973 Suppose all of the computer's memory is available to you, and no other storage is available. Every time your array is filled to its capacity, you enlarge it by creating an array twice the size of the original, if sufficient memory is available, and copying over all elements. How large can your growable array get? a. 50% of memory b. 100% of memory c. 25% of memory d. 33% of memory *e. 66% of memory f. " g. " h. " i. " j. " General Feedback: When the array consumes 33% of memory and needs to expand, it can do so. The new array will consume 66% of memory. After this, there is not enough room for a larger array. 632122 Using linear probing and following hash function and data, in which array slot number 31 will be inserted*? h(x) = x mod 13 18, 41, 22, 44, 59, 32, 31, 73     *credit goes to Goodrich et. al. (Data Structures & Algorithms in Java) a. 5 b. 6 c. 8 *d. 10 e. f. " g. " h. " i. " General Feedback: 8 632094 Which of the following is NOT a fundamental data type in C? a. int b. float *c. string d.  short e.  char f. " g. " h. " i. " j. " General Feedback: A String is not a primitive data type.  It can be thought of as an array of characters. 631928 After the assignment statement    String word = "entropy"; what is returned by    word.substring(word.length()); a. "entropy" b. "y" *c. the empty String d. an error e. none of the above f. " g. " h. " i. " j. " General Feedback: word.substring(n) returns the substring of word that starts at index n and ends at the end of the String. If index n is greater than the index of the last character in the String, as it is here, substring simply returns the empty String.  632567 The worst-case time complexity of quicksort is: a. O(1) b. O(n) c. O(n log n) *d. O(n2) e. none of the above f. " g. " h. " i. " j. " General Feedback: In the worst case, every time quicksort partitions the list, it is divided into two parts, one of size 0 and one of size n-1 (plus the pivot element). This would happen, for example, if all the elements in the list are equal, or if the list is already sorted and you always choose the leftmost element as a pivot.  Quicksort would have to partition the list n times, because each time the pivot element is the only one that gets put in place.  The first time quicksort compares the pivot element with all n-1 other elements. The second time, quicksort compares the new pivot with n-2 other elements, and so forth down to n - (n-1). So it does work proportional to 1+2+3+...+(n-1), or n(n-1)/2. 632479 The time complexity of linear search is: a. O(1) b. O(log n) *c. O(n) d. O(2n) e. none of the above f. " g. " h. " i. " j. " General Feedback: The time required for linear search in the worst case is directly proportional to the amount of data.  634979 An NP-Complete problem is: a. solvable, and the best known solution runs in polynomial time (i.e. feasible) *b. solvable, and the best known solution is not feasible (i.e. runs in exponential time) c. currently unsolvable, but researchers are hoping to find a solution. d. provably unsolvable: it has been shown that this problem has no algorithmic solution. e. f. " g. " h. " i. " General Feedback: NP-Complete problems typically have rather simplistic algorithmic solutions.  The problem is that these solutions require exponential time to run.   632755 The following is a skeleton for a method called "maxVal": public static int maxVal(int[] y, int first, int last) { /* This method returns the value of the maximum element in the * subsection of the array "y", starting at position * "first" and ending at position "last". */ int bestSoFar = y[first]; xxx missing for loop goes here return bestSoFar; } // method maxVal   In this question, the missing "for" loop is to run "backwards". That is, the code should search the array from the high subscripts to the low subscripts. Given that, the correct code for the missing "for" loop is: a. for (int i=last; i>first; i--) { if ( y[i] < bestSoFar ) { bestSoFar = y[i]; } // if } // for b. for (int i=first+1; i<=last; i++) { if ( y[i] > y[bestSoFar] ) { bestSoFar = y[i]; } // if } // for c. for (int i=last; i>first; i--) { if ( y[i] > y[bestSoFar] ) { bestSoFar = i; } // if } // for *d. for (int i=last; i>first; i--) {    if ( bestSoFar < y[i] ) { bestSoFar = y[i] } // if } // for e. for (int i=first+1; i<=last; i++) { if ( y[i] > bestSoFar ) { bestSoFar = i; } // if } // for f. " g. " h. " i. " j. " General Feedback: a) INCORRECT: if (y[i] < y[bestSoFar]) ... This is setting bestSoFar to the value of the SMALLEST number so far. b) INCORRECT: The loop starts at first+1 ... This loop is not running backwards. if ( y[i] > y[bestSoFar] ) ... bestSoFar is storing a value, not a position.   c) INCORRECT bestSoFar = i; ... bestsoFar is being set to the position, not the value.   d) CORRECT! e) INCORRECT: The loop starts at first+1 ... This loop is not running backwards. bestSoFar = i; ... bestsoFar is being set to the position, not the value. 632128 What would the following line of code do with a form named frmMain? frmMain.Caption = txtName.Text a. Make the text “txtName” appear as the caption of the form. b. B Execute the method Caption, passing txtName as a parameter. c. Change the contents of the text box txtName to the caption of the form. *d. Change the caption of the form to the contents of the text box txtName. e. Generate a run time error. It is not possible to alter the caption of a form at run time. f. " g. " h. " i. " j. " General Feedback: The code assigns the contents of the text box to the caption for the form 632807 Which one of the following methods should be made static? public class Clazz { private final int num = 10; double a() { System.out.println(num); return c(); } void b() { System.out.println(this); } double c() { double r = Math.random(); System.out.println(r); return r; } void d() { a(); a(); } int e() { return num; } } a. a b. b *c. c d. d e. e f. " g. " h. " i. " j. " General Feedback: Method c() does not depend on the invoking instance or its instance variables. 635071 What output will the following code fragment produce? public void fn() { int grade = 91; int level = -1; if (grade >= 90) if (level <= -2) System.out.println("A-level"); else System.out.println("B-status"); } a. A-level b. B-status c. "A-level" d. "B-status" *e. no output is produced f. " g. " h. " i. " j. " General Feedback: Despite the indentation, no braces appear around the body of either if statement's branch(es). As a result, the else is associated with the second (inner) if. Since the outer if statement's condition is true, but the inner if statement is false (and it has no else branch), no output is produced. 635051 What output will the following code fragment produce? public void fn() { int grade = 81; int level = -3; if (grade >= 90) if (level <= -2) System.out.println("A-level"); else System.out.println("B-status"); } a. A-level b. B-status c. "A-level" d. "B-status" *e. no output is produced f. " g. " h. " i. " j. " General Feedback: Despite the indentation, no braces appear around the body of either if statement's branch(es). As a result, the else is associated with the second (inner) if. Since the outer if statement's condition is false, no output is produced. 635050 What output will the following code fragment produce? public void fn() { int grade = 81; int level = -1; if (grade >= 90) if (level <= -2) System.out.println("A-level"); else System.out.println("B-status"); } a. A-level b. B-status c. "A-level" d. "B-status" *e. no output is produced f. " g. " h. " i. " j. " General Feedback: Despite the indentation, no braces appear around the body of either if statement's branch(es). As a result, the else is associated with the second (inner) if. Since the outer if statement's condition is false, no output is produced. 635014 Consider the struct: struct book{ char title[50]; int isbn; }; Assuming no address padding, what will sizeof(struct book) return? a. 12 *b. 54 c. 50 d. 204 e. 8 f. " g. " h. " i. " j. " General Feedback: sizeof(the array) + sizeof(the int) = 50 + 4. 635008 What will this code output on 64-bit Linux? char vals[10]; printf("%d\n", sizeof(vals + 0)); a. 1 b. 4 *c. 8 d. 10 e. 80 f. " g. " h. " i. " j. " General Feedback: Size of the pointer. 618655 A compiler error existed in this code. Why is that happening? public class test {      int testCount;      public static int getCount(){           return testCount;      }      public test(){          testCount ++;      } } a. testCount has not been initialized. b. testCount has never been used. *c. testCount as a non-static variable cannot be referenced in a static method such as getCount() . d. testCount’s access modifier is not public. e. f. " g. " h. " i. " General Feedback: testCount as a non-static variable cannot be referenced in a static method such as getCount() . 634963 Which of the following choices would best be modeled by a class, followed by an instance of that class? *a. Country, Sweden b. Sweden, Country c. Country, ScandinavianCountry d. Sweden, Norway e. Sweden, Linnaeus f. " g. " h. " i. " j. " General Feedback: Choice B is wrong because the items listed are object, class, not class, object. Choice C is wrong, because the items listed are class,subclass, not class,object. Choices D and E are wrong because in each case, the items listed are both concrete objects.  635032 The following method, called maxRow(), is intended to take one parameter: a List where the elements are Lists of Integer objects. You can think of this parameter as a matrix--a list of rows, where each row is a list of "cells" (plain integers). The method sums up the integers in each row (each inner list), and returns the index (row number) of the row with the largest row sum. Choose the best choice to fill in the blank on Line 8 so that this method works as intended: public static int maxRow(List> matrix) { int maxVec = -1; // Line 1 int maxSum = Integer.MIN_VALUE; // Line 2 for (int row = 0; row < __________; row++) // Line 3 { int sum = 0; // Line 4 for (int col = 0; col < __________; col++) // Line 5 { sum = sum + __________; // Line 6 } if (___________) // Line 7 { maxSum = __________; // Line 8 maxVec = __________; // Line 9 } } return maxVec; // Line 10 } a. maxSum b. maxVec *c. sum d. row e. col f. " g. " h. " i. " j. " General Feedback: The local variable maxSum is used to keep track of the maximum row sum seen so far, as the outer loop progresses across all rows in the matrix.  The inner loop computes the sum of all cells in the current row, which is stored in the local variable sum.  If the current row's sum is larger than the maximum seen so far, the variable maxSum should be updated to be sum. 635047 Given the following Java class declaration: public class T2int { private int i; public T2int() { i = 0; } public T2int(int i) { this.i = i; } public int get() { return i; } }   The following method, called rangeSum(), is intended to take three parameters: a List of T2int objects, plus the low and high end of a range within the list. The method computes the sum of the values in the List that are within the "range" (but not including the range end values). Choose the best choice to fill in the blank on Line 8 so that the method will work as intended: public int rangeSum(List list, int low, int high) { int num = 0; // Line 1 int sum = 0; // Line 2 for (int idx = 0; idx < list.size(); idx++) // Line 3 { int ival = list.get(idx).get(); // Line 4 if (__________) // Line 5 { num++; // Line 6 sum = __________; // Line 7 } } return __________; // Line 8 } *a. sum b. num c. ival d. idx e. list.get(num) f. " g. " h. " i. " j. " General Feedback: The method should return the sum of all of the list elements that are within the specified range.  From examining the body of the loop, it is clear that this value is accumulated in the local variable sum. 630792 Consider the following class definition: import java.util.Scanner; // 1 public class SillyClass2 { // 2 private int num, totalRed, totalBlack; // 3 public SillyClass2 () { // 4 num = 0; // 5 totalRed = 0; // 6 totalBlack = 0; // 7 this.spinWheel(); // 8 System.out.print("Black: " + totalBlack); // 9 System.out.println(" and red: " + totalRed); // 10 } // 11    public void spinWheel () { // 12 Scanner kbd = new Scanner(System.in); // 13 System.out.println("Enter 1 or 0, -1 to quit."); // 14 num = kbd.nextInt(); // 15 while (num >= 0) { // 16 if (num == 0) // 17 totalRed++; // 18 else if (num == 1) // 19 totalBlack++; // 20 else System.out.println("Try again"); // 21 System.out.println("Enter 1 or 0, -1 to quit)."); // 22 num = kbd.nextInt(); // 23 } // 24 System.out.println("Thanks for playing."); // 25 } // 26 } // 27   Which sequence of inputs will cause line 21 to be executed? a. -1 b. 0   1   -1 c. 0   1   1   0   -1 *d. 0   1   2   1   -1 e. 1   1   1   0   -1 f. " g. " h. " i. " j. " General Feedback: Answers A, B, C, and E are incorrect because they contain no inputs greater than 1. Answer D does contain an input greater than 1, and that input is after a 0 (which causes the loop to be entered) and before the -1 (which causes the loop to be exited).  618639 Which method call is an efficient and correct way of calling methods compute_1 and compute_2 inside main method? public class test {        public static void compute_1(){}        public void compute_2(){}        public static void main(String [] Args){} } a. test t = new test(); t.compute_1(); t.compute_2(); b. compute_1(); compute_2(); c. test.compute_1(); test.compute_2(); *d. test.compute_1(); test t = new test(); t.compute_2(); e. f. " g. " h. " i. " General Feedback: test.compute_1(); test.compute_2(); 635052 What output will the following code fragment produce? public void fn() { int grade = 91; int level = -3; if (grade >= 90) if (level <= -2) System.out.println("A-level"); else System.out.println("B-status"); } *a. A-level b. B-status c. "A-level" d. "B-status" e. no output is produced f. " g. " h. " i. " j. " General Feedback: Despite the indentation, no braces appear around the body of either if statement's branch(es).  As a result, the else is associated with the second (inner) if.  Still, both if statement conditions are true, so the output is A-level. 629609 Suppose you’re on a project that is writing a large program. One of the programmers is implementing a Clock class; the other programmers are writing classes that will use the Clock class. Which of the following aspects of the public methods of the Clock class do not need to be known by both the author of the Clock class and the programmers who are using the Clock class? a. The methods’ names b. The methods’ return types c. The methods' parameter types *d. The method bodies e. What the methods do f. " g. " h. " i. " j. " General Feedback: This question addresses the principle of encapsulation. All these items must be known to the author of the Clock class. In order to use the class, the other programmers must know what the methods do, and must know their names, parameter types, and return values. The method bodies, on the other hand, are hidden from the users. 635076 Consider these two Java methods: public void fuzzy(int x) { x = 73; System.out.print(x + " "); } public void bunny() { int x = 29; fuzzy(x); System.out.println(x); }   What is printed when bunny() is called? a. 29 29 b. 73 73 c. 29 73 *d. 73 29 e. none of these f. " g. " h. " i. " j. " General Feedback: Remember that in Java, parameters are passed by value.  Although a method may assign to a parameter, this change only affects the method's local copy of the parameter and is not visible outside the method (i.e., does not affect the actual value passed in by the caller). 635041 Given the following Java class declaration: public class T2int { private int i; public T2int() { i = 0; } public T2int(int i) { this.i = i; } public int get() { return i; } }   The following method, called rangeSum(), is intended to take three parameters: a List of T2int objects, plus the low and high end of a range within the list. The method computes the sum of the values in the List that are within the "range" (but not including the range end values). Choose the best choice to fill in the blank on Line 5 so that the method will work as intended: public int rangeSum(List list, int low, int high) { int num = 0; // Line 1 int sum = 0; // Line 2 for (int idx = 0; idx < list.size(); idx++) // Line 3 { int ival = list.get(idx).get(); // Line 4 if (__________) // Line 5 { num++; // Line 6 sum = __________; // Line 7 } } return __________; // Line 8 } a. (idx > low) && (idx < high) *b. (ival > low) && (ival < high) c. (list.get(idx) > low) && (list.get(idx) < high) d. (idx >= low) && (idx <= high) e. (list.get(idx) >= low) && (list.get(idx) <= high) f. " g. " h. " i. " j. " General Feedback: The local variable ival contains the integer value stored in the current position in the list.  To check this value to ensure it is within the desired range, use the condition (ival > low) && (ival < high). 633553 What terminates a failed linear probe in a non-full hashtable? a. The end of the array b. A deleted node *c. A null entry d. A node with a non-matching key e. Revisiting the original hash index f. " g. " h. " i. " j. " General Feedback: A null entry marks the end of the probing sequence. Seeing the end of the array isn't correct, since we need to examine all elements, including those that appear before our original hash index. A node with a non-matching key is what started our probe in the first place. Revisiting the original hash index would mean we looked at every entry, but we could have stopped earlier at the null entry. The purpose of leaving a deleted node in the table is so that probing may proceed past it. 633555 If a hashtable's array is resized to reduce collisions, what must be done to the elements that have already been inserted? a. All items must be copied over to the same indices in the new array. *b. Nodes must be rehashed and reinserted in the new array. c. The existing items can be placed anywhere in the new array. d. The hashCode method must be updated. e. f. " g. " h. " i. " General Feedback: Since calculating a node's position in the hashtable is a function of the node's key's hashcode and the array size, all items must be reinserted. 635027 The following method, called maxRow(), is intended to take one parameter: a List where the elements are Lists of Integer objects. You can think of this parameter as a matrix--a list of rows, where each row is a list of "cells" (plain integers). The method sums up the integers in each row (each inner list), and returns the index (row number) of the row with the largest row sum. Choose the best choice to fill in the blank on Line 7 so that this method works as intended: public static int maxRow(List> matrix) { int maxVec = -1; // Line 1 int maxSum = Integer.MIN_VALUE; // Line 2 for (int row = 0; row < __________; row++) // Line 3 { int sum = 0; // Line 4 for (int col = 0; col < __________; col++) // Line 5 { sum = sum + __________; // Line 6 } if (___________) // Line 7 { maxSum = __________; // Line 8 maxVec = __________; // Line 9 } } return maxVec; // Line 10 } a. sum > matrix.size() b. sum < maxSum c. sum <= maxSum *d. sum > maxSum e. sum > matrix.get(row).size() f. " g. " h. " i. " j. " General Feedback: The local variable sum represents the sum of all cell values in the current row, which is computed by the inner loop in the code.  The if test on Line 6 checks whether to update the local variables maxSum and maxVec, which represent information about the largest row sum found so far.  This should happen when sum > maxSum. 618589 Which sentence is NOT correct? a. In a class, you can have a method with the same name as the constructor. b. In a class, you can have two methods with the same name and return type, but different number and type of input arguments. *c. In a class, you can have two methods with the same number and type of input arguments and different return type. d. In a class you can have two constructors with the same name. e. f. " g. " h. " i. " General Feedback: In a class, you can have two methods with the same number and type of input arguments and different return type. 633401 You see the expression n = -15 in some code that successfully compiles. What type can n not be? a. int b. float *c. char d. short e. long f. " g. " h. " i. " j. " General Feedback: Chars can only hold integers in [0, 65535]. Assigning an int variable to a char requires an explicit cast. Assigning an int literal in this interval does not require a cast. Assign an int literal outside of this interval is compile error. 633273 After the assignment signal = ’abracadabra’, what is returned by signal[len(signal)]? a. 'a' b. 'abracadabra' c. 11 *d. an error e. none of the above f. " g. " h. " i. " j. " General Feedback: This is the classic way to go one character over the edge of a String. 635002 Which of the following sorting algorithms has a best-case time performance that is the same as its and worst-case time performance (in big O notation)? a. Insertion sort *b. Selection sort c. Bubble sort d. None of the above e. f. " g. " h. " i. " General Feedback: Selection sort has both O(n^2) worst and best case. 633262 What advantage does using dummy nodes in a linked list implementation offer? a. Reduced storage needs. *b. Simplified insertion. c. Easier detection of the list's head and tail. d. Simplified iteration. e. f. " g. " h. " i. " General Feedback: Dummy nodes consume a little more space, and they don't simplify iteration or bounds detection any. They do reduce the special casing that would otherwise need to be done when updating forward and backward links on an insertion. 618985 How many asterisks will be printed as a result of executing this code? int counter = 0, N = 10; while (counter++ < N){     if (counter%2 == 0)         continue;     System.out.print("*"); } a. none, infinite loop. b. 10 *c. 5 d. 1 e. f. " g. " h. " i. " General Feedback: 5 635045 Given the following Java class declaration: public class T2int { private int i; public T2int() { i = 0; } public T2int(int i) { this.i = i; } public int get() { return i; } }   The following method, called rangeSum(), is intended to take three parameters: a List of T2int objects, plus the low and high end of a range within the list. The method computes the sum of the values in the List that are within the "range" (but not including the range end values). Choose the best choice to fill in the blank on Line 7 so that the method will work as intended: public int rangeSum(List list, int low, int high) { int num = 0; // Line 1 int sum = 0; // Line 2 for (int idx = 0; idx < list.size(); idx++) // Line 3 { int ival = list.get(idx).get(); // Line 4 if (__________) // Line 5 { num++; // Line 6 sum = __________; // Line 7 } } return __________; // Line 8 } *a. sum + ival b. sum + num c. sum + idx d. sum + list.size() e. sum + 1 f. " g. " h. " i. " j. " General Feedback: Since the method computes the sum of all values found, and the local variable sum is used to accumulate this total, sum should be updated to sum + ival. 633452 Consider the following Python code: number = int(input("Enter a positive number: ")) while number > 1: if (number % 2 == 1): number = number * 3 + 1 else: number = number/2 print number if number == 1: break else: print "The end"   Given the input ’8’, what output is produced by the program? a. an error b. 'The end' *c. 4 2 1 d. 4 2 1 The end e. none of the above f. " g. " h. " i. " j. " General Feedback: Basically just trace the code. 634994 Chris implements a standard sorting algorithm that sorts the numbers 64, 25, 12, 22, 11 like so: 64 25 12 22 11 11 25 12 22 64 11 12 25 22 64 11 12 22 25 64 11 12 22 25 64 Which sorting algorithm is this? a. Inserton sort *b. Selection sort c. Bubble sort d. Merge sort e. f. " g. " h. " i. " General Feedback: In the first line, we see the min is pulled from the end of the array so we know it's selection sort. 618636 If the following hierarchy of exception is defined by a user, which option is the correct order of catching these exceptions? class firstLevelException extends Exception{} class secondLevelException_1 extends firstLevelException{} class secondLevelException_2 extends firstLevelException{} class thirdLevelException extends secondLevelException_1{} a. A. try{      //code was removed } catch (firstLevelException e){       e.printStackTrace(); } catch (secondLevelException_1 e){      e.printStackTrace(); } catch (secondLevelException_2 e){      e.printStackTrace(); } catch (thirdLevelException e){      e.printStackTrace(); } *b. try{      //code was removed } catch (thirdLevelException e){       e.printStackTrace(); } catch (secondLevelException_1 e){      e.printStackTrace(); } catch (secondLevelException_2 e){       e.printStackTrace(); } catch (firstLevelException e){      e.printStackTrace(); } c. try{      //code was removed } catch (firstLevelException e){      e.printStackTrace(); } catch (secondLevelException_2 e){      e.printStackTrace(); } catch (secondLevelException_1 e){       e.printStackTrace(); } catch (thirdLevelException e){      e.printStackTrace(); } d. try{      //code was removed } catch (thirdLevelException e){      e.printStackTrace(); } catch (firstLevelException e){      e.printStackTrace(); } catch (secondLevelException_2 e){      e.printStackTrace(); } catch (secondLevelException_1 e){      e.printStackTrace(); } e. f. " g. " h. " i. " General Feedback: try{      //code was removed } catch (firstLevelException e){      e.printStackTrace(); } catch (secondLevelException_2 e){      e.printStackTrace(); } catch (secondLevelException_1 e){       e.printStackTrace(); } catch (thirdLevelException e){      e.printStackTrace(); } 633374 You see the expression n = 47 in some code that successfully compiles. What type can n not be? a. int b. double c. float d. byte *e. String f. " g. " h. " i. " j. " General Feedback: Ints cannot be stored in Strings directly. 618656 Which sentence is NOT correct? a. If you define a variable as a final, you will never be able to change its. b. If you define a method as a final, you will never be able to override it. c. If you define a class as a final, you will never be able to extend it. *d. If you define a class as a final, you will have to mark all its method as a final too. e. f. " g. " h. " i. " General Feedback: If you define a class as a final, you will never be able to extend it. 618648 What would be the output? public class test {     static int testCount = 0;     public test(){         testCount ++;     }     public static void main(String [] Args){         test t1 = new test();         System.out.println(t1.testCount);         test t2 = new test();         System.out.println(t1.testCount + " "+ t2.testCount);         test t3 = new test();         System.out.println(t1.testCount+ " "+ t2.testCount+ " "+ t3.testCount);    } } a. 0 0 0 0 0 0 b. 1 1 1 1 1 1 *c. 1 2 2 3 3 3 d. 1 2 3 4 5 6 e. f. " g. " h. " i. " General Feedback: 1 2 2 3 3 3 635029 Consider the code below; what value will i have at the end? int *p, i; i = 2; p = &i; *p = 5; i++; a. 2 b. 5 *c. 6 d. 3 e. 8 f. " g. " h. " i. " j. " General Feedback: p updates i 633263 Lennox has a method: void dele_root(struct node **root) { free(*root); *root = NULL; } What is most likely to happen? a. Deletes a copy of root (will not have an effect outside the function) b. Segfault *c. Deletes the argument given to the function (will have an effect outside the function) d. A lot of crazy stuff will be printed e. f. " g. " h. " i. " General Feedback: This will free what root is pointing to; it is a pesumably valid memory location and hence won't segfault or core dump. 635033 Consider the code below; what value will i have at the end of the code? int *p, i; i = 3; p = &i; (*p)++; i++; a. 3 b. 4 *c. 5 d. 6 e. 8 f. " g. " h. " i. " j. " General Feedback: i is incremented twice, once through p 618653 A compiler error existed in this code. Why is that happening? public class test {       static int testCount;       public int getCount(){           return testCount;       }       public test(){           testCount ++;       }       public static void main(String [] Args){           System.out.print(getCount());       } } a. testCount has not been initialized *b. getCount() cannot be called inside main method. c. testCount as a static variable cannot be referenced in a non-static method such as getCount() or a constructor such as test(). d. testCount’s access modifier is not public. e. f. " g. " h. " i. " General Feedback: testCount as a static variable cannot be referenced in a non-static method such as getCount() or a constructor such as test(). 635034 The following method, called maxRow(), is intended to take one parameter: a List where the elements are Lists of Integer objects. You can think of this parameter as a matrix--a list of rows, where each row is a list of "cells" (plain integers). The method sums up the integers in each row (each inner list), and returns the index (row number) of the row with the largest row sum. Choose the best choice to fill in the blank on Line 9 so that this method works as intended: public static int maxRow(List> matrix) { int maxVec = -1; // Line 1 int maxSum = Integer.MIN_VALUE; // Line 2 for (int row = 0; row < __________; row++) // Line 3 { int sum = 0; // Line 4 for (int col = 0; col < __________; col++) // Line 5 { sum = sum + __________; // Line 6 } if (___________) // Line 7 { maxSum = __________; // Line 8 maxVec = __________; // Line 9 } } return maxVec; // Line 10 } a. maxSum *b. row c. sum d. col e. maxVec f. " g. " h. " i. " j. " General Feedback: The local variable maxVec is used to keep track of the row number of the maximum row sum seen so far, as the outer loop progresses across all rows in the matrix.  The inner loop computes the sum of all cells in the current row, which is stored in the local variable sum.  If the current row's sum is larger than the maximum seen so far, the variable maxVec should be updated to be row. 635074 Consider the following classes: public class A { private int myNum; public A(int x) { myNum = x; } public int getNumber() { return myNum; } public String getLetters() { return "A"; } public String getMessage() { return getLetters() + "-" + getNumber(); } } public class AB extends A { public AB(int x) { super(x + 1); } public int getNumber() { return super.getNumber() + 1; } public String getLetters() { return "AB"; } }   What is the output of the following code segment? A test = new AB(0); System.out.print(test.getMessage()); a. A-0 b. A-2 c. AB-0 d. AB-1 *e. AB-2 f. " g. " h. " i. " j. " General Feedback: The object created is an instance of class AB, despite the static type of the variable test. Because of the constructor defined in AB, the object's myNum field will be initialized with the value 1.  Because of polymorphism, when getMessage() calls getLetters(), the definition of the method in AB will be used, returning "AB".  Similarly, when getMessage() calls getNumber(), the definition of the method in AB will be used, returning 2. 632274 Which data structure uses less space per object? *a. an array b. a linked list c. they are both the same d. e. f. " g. " h. " General Feedback: In a linked list, you create a Node for each element that contains not only the element but a link to the next Node. In addition, you create a List object that contains additional fields such as a link to the first Node in the list and (often) the size of the list. In an array, you store only the elements, not a Node or a link to the next Node.  633890 Which code snippet is tail recursive? a. int sum(int x) { if(x == 1)          {          return x;          }     return x + sum(x - 1); } *b. int sum(int x, int running_total) { if(x == 0)            {            return running_total;            }      return sum(x - 1, running_total + x); } c. d. e. f. " g. " General Feedback: A) requires the call to sum() to be completed before adding x to it. 633237 When deleting a node with both left and right children from a binary search tree, it may be replaced by which of the following? a. its left child b. its right child c. its preorder successor *d. its inorder successor e. its postorder successor f. " g. " h. " i. " j. " General Feedback: A common choice for the replacement node is deleted node's right child's leftmost descendent. This descendent is the deleted node's inorder successor. 630967 Suppose you are writing a program for a robot that will go around a building and clean the floor. Your program will contain, among other things, a Robot class and a Building class (with information about the layout of the building). The Building class is also used in a different program for scheduling maintenance of various parts of the building.  The relationship between your Robot class and your Building class is best modeled as: a. a class-subclass relationship b. a subclass-class relationship *c. a peer relationship d. a whole-component relationship e. f. " g. " h. " i. " General Feedback: A and B are wrong, because a Building object doesn't share all the properties and behaviors of a Robot object (or vice versa). D is wrong because the Building object is not part of the Robot object (unlike the Robot's wheels, for example). The two classes are sometimes part of different programs and sometimes work together -- a peer relationship.  634187 What is the worst-case time performance of heapsort? *a. O(nlgn) b. O(n) c. O(lgn) d. O(n2) e. f. " g. " h. " i. " General Feedback: O(n2) 632097 What is output from the following section of code? int i = 4; int j = i - 1; printf("%d bows = %d wows", i, j+1); a. 3 bows = 4 wows *b. 4 bows = 4 wows c. 3 bows = 5 wows d.  4 bows = 5 wows e. E 4 bows = 3 wows f. " g. " h. " i. " j. " General Feedback: Through the printf function the decimal integer values defined by the %d field specifiers are replaced by the values for i and j resulting from the expression. The value of variable j is both decremented and incremented to remain equivalent to that of variable i when printed. 634251 Read the following method skeleton and choose the best expression to fill in the blank on line 4 so that the method will behave correctly: /** * Takes a string reference and counts the number of times * the character 'A' or 'a' appears in the string object. * @param aString String reference to object containing chars. * @precondition aString is not null (you may assume this is true). * @return The number of times 'A' or 'a' appears in the string. */ public static int countAs(String aString) // line 1 { int counter = __________; // line 2 int totalA = 0; // line 3 while (counter < __________) // line 4 { if ( __________.equals("A") ) // line 5 { totalA = totalA + __________; // line 6 } counter++; // line 7 } return __________; // line 8 } a. aString.size() b. aString.size() - 1 c. aString.length *d. aString.length() e. aString.length() - 1 f. " g. " h. " i. " j. " General Feedback: The variable counter is being used as an index into the string that is being examined, and from line 7 it is clear that this index is increasing on each loop iteration, moving from left to right.  Because the loop test uses the < operator, the correct upper limit is aString.length().  Remember that strings provide a length() method for obtaining their length (size() is used for containers like lists and maps, and length written as a field reference instead of a method call is used for arrays). 633249 Consider the code int i, *q, *p; p = &i; q = p; *p = 5; Which of the following will print out “The value is 5.”? a. printf("The value is %d", &i); b. printf("The value is %d", p); *c. printf("The value is %d", *q); d. printf("The value is %d", *i); e. f. " g. " h. " i. " General Feedback: p and q are currently "sharing" --- they both point to the same variable (i). 633372 What order must elements 1, 2, 3, 4, 5, 6, and 7 be inserted in a binary search tree such that the tree is perfectly balanced afterward? a. 4 1 2 3 5 6 7 *b. 4 2 6 1 3 5 7 c. 2 1 3 4 6 5 7 d. 1 2 3 4 5 6 7 e. 2 1 3 6 5 7 4 f. " g. " h. " i. " j. " General Feedback: The middle element 4 will need to be the root, so that must be inserted first. The middle elements of the remaining halves must be 4's children, so 2 and 6 must be inserted next. (Their relative order does not matter.) The last four elements can be inserted in any order. 634925 Which algorithm does the following code implement? def mystery(target, listOfValues):      beginning = 0      end = len(listOfValues)      found = False      while (! found and (beginning <= end)):           middle = (beginning + end) / 2           if (listOfValues[middle] == target):                found = True                print "Found it at location: ", middle           else:                if (target < listOfValues[middle]):                     end = middle -1                else:                     beginning = middle + 1      if (! found):      print "Item not found" a. Short Sequential Search b. Sequential Search *c. Binary Search d. Bubble Search e. None of the above. f. " g. " h. " i. " j. " General Feedback: This a classic implementation of binary search. 633310 What abstract data type is best suited to help us implement a breadth-first search? a. priority queue *b. queue c. stack d. hashtable e. array-based list f. " g. " h. " i. " j. " General Feedback: In a breadth-first search, we visit the starting element, its neighbors, its neighbors' neighbors, and so on. We want to make sure we visit the neighbors of the elements we saw earliest before we visit the neighbors of elements we saw later. This suggests a first-in, first out approach. 633220 This sorting algorithm repeatedly examines neighboring elements, swapping those pairs that are out of order. a. selection sort b. insertion sort *c. bubble sort d. quick sort e. merge sort f. " g. " h. " i. " j. " General Feedback: Bubble sort operates by reordering neighbors. 632313 The enqueue operation: a. adds a new item at the front of the queue b. returns without removing the item at the front of the queue c. removes and returns the item at the front of the queue *d. adds a new item at the end of the queue e. returns true if the queue is empty and otherwise false f. " g. " h. " i. " j. " General Feedback: enqueue is the name for the operation that adds an element to a queue. Specifically, it adds each item to the end of the queue (just like standing in line).  633897 If Matthew is entering the values 1, 2, 3, 4, 5 into a complete tree, where insertion happens in level-order, in what order should he enter the values so he produces a binary search tree? a. 1, 2, 3, 4, 5 *b. 4, 2, 5, 1, 3 c. 3, 1, 5, 2, 4 d. 1, 3, 2, 5, 4 e. f. " g. " h. " i. " General Feedback: Only B will produce a complete BST. 630974 Consider the following code: if (!somethingIsTrue()) { return true; } else { return false; }   Which replacement for this code will produce the same result? a. return true; b. return false; c. return somethingIsTrue(); *d. return !somethingIsTrue(); e. none of these f. " g. " h. " i. " j. " General Feedback: The method somethingIsTrue() must return a boolean value, because of the way it is used in the if statement's condition.  If it returns the value false, the if statement will cause the value true to be returned; otherwise, the if statement will cause the value false to be returned.  Therefore, the entire if statement is equivalent to return !somethingIsTrue();. 633296 You are storing a complete binary tree in an array, with the root at index 0. At what index is node i's right child? a. 2i b. 2i + 1 *c. i + i + 2 d. i / 2 + 1 e. (i - 1) / 2 f. " g. " h. " i. " j. " General Feedback: (i - 1) / 2 633572 You've got a byte variable holding the value 127. You add 1 with byte += 1. What happens? a. It becomes a short with value 128. b. An OverflowException is raised. c. It remains a byte and stays at the value 127. *d. It remains a byte and takes on the value -128. e. It remains a byte and takes on the value 0. f. " g. " h. " i. " j. " General Feedback: When you exceed the maximum value of an integral type, you wrap around to other extreme. Bytes range from -128 to 127. 634186 What is the size of the largest min-heap which is also a BST? a. 2 *b. 1 c. 4 d. 3 e. f. " g. " h. " i. " General Feedback: You cannot add a left child to the root because it would break the BST/min-heap property. 634968 Which of the following is true about both interfaces and abstract classes? a. They do not have constructors b. All of their methods are abstract c. They can have both abstract and non-abstract methods d. They can be used to model shared capabilities of unrelated classes *e. None of the above f. " g. " h. " i. " j. " General Feedback: Abstract methods have constructors, interfaces do not An anstract class can include both abstract and non-abstract methods, while all methods in interfaces are abstract An abstract class can model shared capabilities of classes, but only those who share the abstract class as an ancestor (so related), whereas there is no such restriction on interfaces. 634940 Jacob has written some code using our standard linked list node definition (it has an int val and a struct node *next, in that order ): struct node *my_node = malloc(sizeof(struct node)); my_node->val = 4; my_node->next = NULL; struct node **ptr_node = &my_node; *(*ptr_node)++; If the value of my_node is initially 0x50085008, what will the value of my_node most likely be after this code? a. 0x50085008 b. 0x50085010 c. 0x5008500C *d. 0x50085018 e. f. " g. " h. " i. " General Feedback: You would it expect it to be 0x50085014 (0x50085008 + size of int + size of pointer), but C actually does address padding, pushing it up to 0x50085018, which is wha you would see if you run the code. 633552 A coworker suggests that when you delete a node from a hashtable that you just set it to null. What is your response? a. Yes, that way the garbage collector can reclaim the memory. b. Yes, that will speed up probing. c. No, the user may have alias references to the node. *d. No, doing so may make other nodes irretrievable. e. f. " g. " h. " i. " General Feedback: When using probing to resolve collisions, the probing algorithm walks along the probing sequence until it finds a null element. If nulls appear in the wrong places, probing may terminate earlier than it should. 634431 Suppose you are trying to choose between an array and a singly linked list to store the data in your program. Which data structure must be traversed one element at a time to reach a particular point? a. an array *b. a linked list c. both d. neither e. f. " g. " h. " i. " General Feedback: In a basic linked list, each element is connected to the one after it. To reach a given element, you must start with the first node, if it's not the one you want, follow the link to the next one, and so forth until you reach the end of the list. (These are called "singly linked lists"; it is also possible to construct a doubly linked list, where each node is connected to the previous *and* the next element.)  634945 Richard has the following struct: struct node{ int val; struct node *next; }; And he creates a node: struct node **ptr = &( malloc(sizeof(struct node)) ); Which of the following will NOT set ptr’s associated val to 6? *a. (***ptr).val = 6 b. (**ptr).val = 6 c. (*ptr)->val = 6 d. e. f. " g. " h. " General Feedback: ***ptr is not useful here 627766 Consider the following recursive method: public int examMethod(int n) { if (n == 1) return 1; else return (n + this.examMethod(n-1)); }   What value is returned by the call examMethod(16)? a. 1 b. 16 *c. 136 d. None of the above. e. f. " g. " h. " i. " General Feedback: This method returns the sum of the numbers from 1 to the parameter n (as long as n is greater than or equal to 1).  632575 Suppose you place m items in a hash table with an array size of s. What is the correct formula for the load factor? a. s + m b. s â?? m c. m â?? s d. s/m *e. m/s f. " g. " h. " i. " j. " General Feedback: The load factor is the number of elements in the array, divided by the size of the array. It gives you an idea of how full the hashtable is.  634916 The Fibonacci sequence is 0, 1, 1, 2, 3, 5, 8, 13 ... Any term (value) of the sequence that follows the first two terms (0 and 1) is equal to the sum of the preceding two terms. Consider the following incomplete method to compute any term of the Fibonacci sequence: public static int fibonacci(int term) { int fib1 = 0; // Line 1 int fib2 = 1; // Line 2 int fibn = 0; // Line 3 if (term == 1) // Line 4 { return fib1; // Line 5 } if (term == 2) // Line 6 { return fib2; // Line 7 } for (__________) // Line 8: loop to the nth term { fibn = __________; // Line 9: compute the next term fib1 = __________; // Line 10: reset the second preceding term fib2 = __________; // Line 11: reset the immediate preceding term } return fibn; // Line 12: return the computed term } Choose the best answer to fill in the blank on line 8. a. int n = 0; n < term; n++ *b. int n = 1; n < term; n++ c. int n = 2; n < term; n++ d. int n = 3; n < term; n++ e. int n = 4; n < term; n++ f. " g. " h. " i. " j. " General Feedback: From the question, it is clear that the terms in the sequence are numbered starting at 1.  The two base cases cover terms 1 and 2, and the loop must then repeat (term - 2) times in total.  This will be achieved if the initial value on the loop counter is 1. 633661 Which of these relationships best exemplify the "IS-A" relationships in object-oriented programming (OOP)? a. Empire State Building IS-A Building *b. Cat IS-A Mammal c. Angry Cat IS-A Cat (Note that "Angry Cat" is a specific cat that has become an online internet meme) d. All of the above e. None of the above f. " g. " h. " i. " j. " General Feedback: A and C are wrong because the Empire State Building would be best be described as an instance of the category Cuilding, while Angry Cat is an instance of the category Cat. B is correct because Cat is a sub-category of Mammal, which best exemplifies the IS-A relations.  In OOP, the IS-A relationship is used to denote relationships between classes, which are sort of like categories. 632850 What does this print when x is assigned 1? if (x==1) { System.out.println("x is 1"); } if (x==2) { System.out.println("x is 2"); } else { System.out.println("not 1 or 2"); } a. x is 1 b. x is 2 c. x is 1 x is 2 *d. x is 1 not 1 or 2 e. x is 2 not 1 or 2 f. " g. " h. " i. " j. " General Feedback: This code snipped does not have an else-if!  It may as well be written like this: if (x==1) { System.out.println("x is 1"); } if (x==2) { System.out.println("x is 2"); } else { System.out.println("not 1 or 2"); }   So when x==1, clearly we get "x is 1" printed, bu since 1 does not equal 2, we also get "not 1 or 2" with the else. Be aware of when you are using an if, and when are are using an else-if, because they are quite different! 634127 In C, which of the following will return 1, if s1 = "hi" and s2 = "hi"? Circle all that apply. a. s1 == s2 *b. strcmp(s1, s2) c. strlen(s1) d. s1 == "hi" e. f. " g. " h. " i. " General Feedback: C is not Python! Only strcmp will do what Python and similar languages would do. (My CS2 students come into C having learnt Python.) 633291 Inserting a node into a heap is a. O(1) *b. O(log N) c. O(N) d. O(N log N) e. O(N2) f. " g. " h. " i. " j. " General Feedback: Inserting a node involves putting the new node into the bottom level of the heap and trickling up, possibly to the root level. Since heaps are balanced and the number of levels is log N, the performance is O(log N). 630996 Consider the following Java method: public void printMenu(){ System.out.println("Choose one of the following options:"); System.out.println("1) Display account balance"); System.out.println("2) Make deposit"); System.out.println("3) Make withdrawal"); System.out.println("4) Quit"); }   Select the best reason for making this a separate method with a name, instead of including the code in some other method: *a. Otherwise, you would have to write the same code more than once.  b. By breaking your program up into logical parts, you make it more readable.  c. By giving this block of code a name, you make your program more readable.  d. It's necessary to keep the calling method under 20 lines long.  e. f. " g. " h. " i. " General Feedback: There are multiple correct answers to this question. A, B, and C are all reasonable answers. D is less good, because while it's a good idea to keep your methods relatively short, it won't always make sense to stick to an arbitrary limit like 20 lines.  635037 A given O(n2) algorithm takes five seconds to execute on a data set size of 100.  Using the same computer and the same algorithm, how many seconds should this algorithm run for when executed on a data set of size 500? a. 25 seconds b. 100 seconds c. 42 seconds *d. 125 seconds e. None of the above. f. " g. " h. " i. " j. " General Feedback: Quadratic algorithms represent an n2 increase in run time.  Hence if the data set size increases by a factor of  five, for a quadratic algorithm, the increase in run time becomes a factor of 25.  Hence 25 times 5 (base run time) is 125. 632280 If the StackADT operation push is implemented using a linked list, the big-Oh time complexity of the method is: *a. O(1) b. O(log2n) c. O(n) d. O(n2) e. O(2n) f. " g. " h. " i. " j. " General Feedback: The push method adds a new element to a stack. Regardless of the size of the list, the operations needed to add a new element include creating a node to store it in and setting the values of a few pointers, all of which can be done in constant time.  618622 Which line of the following code has a compilation error? import java.util.*; public class bicycles {         public static void main(String[] Main) {               Vector q = new Vector();               bike b = new bike();               q.add(b);        } } class bike{        private int bikePrice;        private bike(){                 bikePrice = 0;        }       private bike(int p){                bikePrice = p;        } } a. public static void main(String[] Main) b. Vector q = new Vector(); *c. bike b = new bike(); d. private int bikePrice; e. f. " g. " h. " i. " General Feedback: bike b = new bike(); 632844 After the assignments a = True and b = True, what is returned by (not a or b) and (a or not b)? *a. True b. False c. 1 d. 0 e. an error f. " g. " h. " i. " j. " General Feedback: the not operator has a higher precedence than or, so this expression should be read: ((not a) or b) and (a or (not b)) Which is True when a=True and b=False 633457 Consider the following code: number = int(input("Enter a positive number: ")) while number > 1: if (number % 2 == 1): number = number * 3 + 1 else: number = number/2 print number if number == 1: break else: print "The end"   What output is produced when the input is '-1'? a. an error *b. The end c. no output is produced d. -1 e. none of the above f. " g. " h. " i. " j. " General Feedback: if number is not greater than 1, we immediately get to "The end".  In Python, while loops are allowed to have an else statement. 627736 3. Consider the following class definition. import java.util.Scanner; public class SillyClass2 { private int num, totalRed, totalBlack; public SillyClass2 () { num = 0; totalRed = 0; totalBlack = 0; this.spinWheel(); System.out.print("Black: " + totalBlack); System.out.println(" and red: " + totalRed); } public void spinWheel () { Scanner kbd = new Scanner(System.in); System.out.println("Enter 1 or 0, -1 to quit."); num = kbd.nextInt(); while (num >= 0) { if (num == 0) totalRed++; else if (num == 1) totalBlack++; else System.out.println("Try again"); System.out.println("Enter 1 or 0, -1 to quit)."); num = kbd.nextInt(); } System.out.println("Thanks for playing."); } }   Which of the following sequences of inputs causes every line of code to be executed at least once? a. 0    0    10    -1 b. 1    0    1    -1 c. 1    1    10    -1 *d. 1    0    10    -1 e. 1    0    10    0 f. " g. " h. " i. " j. " General Feedback: This question tests understanding of a conditional nested inside a loop. Choice A is wrong, because the initial value must be >= 0 for the loop to be executed. Choice E is wrong, because the last value must be -1, or the code never exits the loop and the last line of code is not executed. Choices B and C are wrong, because inside the loop, we need one value that's 0, one value that's 1, and one value that's greater than 1, so that each branch of the conditional will be executed.  632308 Suppose StackADT is implemented in Java using a linked list. The big-Oh time complexity of the following peek method is:  public T peek() { T tmp; if (this.top == null) { tmp = null; } else { tmp = this.top.getElement(); } return tmp; } *a. O(1) b. O(log n) c. O(n) d. O(n2) e. O(2n) f. " g. " h. " i. " j. " General Feedback: The method body is executed in a fixed amount of time, independent of the size of the stack.  633569 You need to store a large amount of data, but you don't know the exact number of elements. The elements must be searched quickly by some key. You want to waste no storage space. The elements to be added are in sorted order. What is the simplest data structure that meets your needs?  a. Ordered array b. Linked list c. Hashtable d. Binary search tree *e. Self-balancing tree f. " g. " h. " i. " j. " General Feedback: Hashtables provide fast searching, but they may waste storage space. A tree makes better use of memory. Since the keys are in a sorted order, it's likely a binary tree will end up looking like a linked list instead of a well-balanced tree. With a self-balancing tree, we can make sure searching goes faster. 633225 Which one of the following is a limitation of Java's arrays? a. They can only hold primitive types. b. They can only hold reference types. c. Once an element is assigned, that element cannot be modified. d. Their length must be stored separately. *e. They cannot change size. f. " g. " h. " i. " j. " General Feedback: Arrays hold primitives and references, have a builtin length property, and allow modification of individual elements. They cannot be resized. 618500 What will be printed? String name = "John"; String surname = "Smith"; name.concat(surname); System.out.print(name + " "); System.out.println(surname); *a. John Smith b. John Smith Smith c. JohnSmith Smith d. Smith John e. f. " g. " h. " i. " General Feedback: JohnSmith Smith 618498 What should be done to change the following code to a correct one? public class exam {      float mark;      public static void main(String[]arg){      float aCopyofMark;      exam e = new exam();      System.out.println( e.mark + aCopyofMark);      } } a. Change float mark; to static float mark; b. Delete exam e = new exam(); *c. Initialize aCopyofMark d. This is a correct code. e. f. " g. " h. " i. " General Feedback: Initialize aCopyofMark 633646 Consider the following two simple Java classes: public class Base { protected int x; } public class Derived extends Base { protected int y; }   Which of the following is/are legal? a. Base b=new Base(); Derived d=b; *b. Derived d=new Derived(); Base b=d; c. Base b=new Derived(); d. Derived d=new Base(); e. All of the above f. " g. " h. " i. " j. " General Feedback: B and C are OK.  Remember your Liskov substitution principle:  You can swap in a derived class anywhere that you expect a base class, because a derived class has at least as much information as a base class. The reverse, however, is not true!  A derived class may add many more instance variables that the base class knows nothing about! 632761 This question refers to a method "swap", for which part of the code is shown below: public static void swap(int[] x, int i, int j) {  // swaps elements "i" and "j" of array "x".     int temp;     // temporary storage for swapping        xxx missing code goes here xxx } // method swap   The missing code from "swap" is: *a. temp = x[i]; x[i] = x[j]; x[j] = temp; b. temp = x[i]; x[j] = x[i]; x[j] = temp; c. temp = x[j]; x[j] = x[i]; x[j] = temp; d. temp = x[j]; x[i] = x[j]; x[j] = temp; e. temp = x[i]; x[j] = x[i]; x[i] = temp; f. " g. " h. " i. " j. " General Feedback: Suppose  initially x[i]=A, x[j]=B.  After swap, we want x[i]=B, and x[j]=A, in both cases it doesn’t matter what temp equals, so long as x[i] and x[j] values have been swapped after completion. a) temp = x[i] = A x[i] = x[j] = B x[j] = temp = A Before: x[i] = A, x[j] = B After: x[i] = B, x[j] = A Both have been swapped, .’. CORRECT b) temp = x[i] = A x[j] = x[i] = A x[j] = temp = A Before: x[i] = A, x[j] = B After: x[i] = A, x[j] = A Only x[j] has been swapped, .’. INCORRECT c) temp = x[j] = B x[j] = x[i] = A x[j] = temp = B Before: x[i] = A, x[j] = B After: x[i] = A, x[j] = B Neither have been swapped, .’. INCORRECT d) temp = x[j] = B x[i] = x[j] = B x[j] = temp = B Before x[i] = A, x[j] = B After: x[i] = B, x[j] = B Onlu x[i] has been swapped, .’. INCORRECT e) temp = x[i] = A x[j] = x[i] = A x[i] = temp = A Before: x[i] = A, x[j] = B After: x[i] = A, x[j] = A   Only x[j] has been swapped, .’. INCORRECT 618483 Class B extends class A in which a method called firstMethod existed. The signature of firstMethod is as follow. In class B we are going to override firstMethod. Which declaration of this method in class B is correct? protected void firstMethod(int firstVar) a. private void firstMethod(int firstVar) b. default void firstMethod(int firstVar) *c. public void firstMethod(int firstVar) d. void firstMethod(int firstVar) e. f. " g. " h. " i. " General Feedback: public void firstMethod(int firstVar) 633579 You've got a class that holds two ints and that can be compared with other IntPair objects: class IntPair { private int a; private int b; public IntPair(int a, int b) { this.a = a; this.b = b; } public int compareTo(IntPair other) { if (a < other.a) { return -1; } else if (a > other.a) { return 1; } else { if (b == other.b) { return 0; } else if (b > other.b) { return -1; } else { return 1; } } } }   Let's denote new IntPair(5, 7) as [5 7]. You've got a list of IntPairs: [5 7], [2 9], [3 2] You sort them using IntPair.compareTo. What is their sorted order? *a. [2 9], [3 2], [5 7] b. [5 7], [3 2], [2 9] c. [3 2], [5 7], [2 9] d. [2 9], [5 7], [3 2] e. f. " g. " h. " i. " General Feedback: compareTo orders on IntPair.a first, in ascending fashion. Since all elements have unique a values, we simple sort according to the first element. 633598 What does the following Java code print? int inner=0; int outer=0; for (int i=0; i<6; i++) { outer++; for (int j=0; j<=3; j++) { inner++; } } System.out.println("outer "+outer+", inner"+inner); a. outer 6, inner 3 b. outer 7, inner 4 c. outer 6, inner 18 d. outer 7, inner 24 *e. outer 6, inner 24 f. " g. " h. " i. " j. " General Feedback: For nested loops, the inner loop runs to completion one time for each iteration of the outer loop.  So if the outer loop executes 6 times, that means the inner loop, which normally executes its loop body 4 times, will actually run the loop body 24 times (4 executes times 6 outer executions).  I probably could explain that better. 632790 After the assignments x = 27 and y = 12, what is returned by x/y?  (Assume Python <= 2.7, not Python3). *a. 2 b. 2.25 c. 3 d. 3.0 e. None of the above f. " g. " h. " i. " j. " General Feedback: This is an integer division question.  Python will return 2, since 27/12 is 2, with a remainder.  But integer division only cares about the quotient, not the remainder. Note that you may get a different answer using Python3 rather than with Python2.x 632599 Which of the following is not an ADT? a. List b. Queue *c. Hashtable d. Stack e. f. " g. " h. " i. " General Feedback: Hashtable is a data structure, not an abstract datatype. Note: this question is based on a question by Andrew Luxton-Reilly. 618516 What kind of variable is label? public class Labeller extends JFrame {       public Labeller () {                 JLabel label = new JLabel("Field or Variable");       }       public static void main (String[] args) {                new Labeller();       } } a. local variable, primitive b. Instance variable, primitive *c. local variable, Object Reference d. Instance variable, Object Reference e. f. " g. " h. " i. " General Feedback: local variable, Object Reference 618485 A method called myMethod has been defined in a class with the following signature. Which of these four choices cannot be an overloaded alternative for myMethod? public void myMethod (int i, double d) *a. public int myMethod (int i, double d) b. public void myMethod (double d) c. public void myMethod (String i , double d) d. public int myMethod (int i) e. f. " g. " h. " i. " General Feedback: public void myMethod (String i , double d) 634921 In quicksort, what does partitioning refer to? a. How the list/array always has three partitions: the area before low, the area between low and high, and the area after high. b. The process in which the memory allocated for the list/array that you are sorting is partitioned into different parts of memory, to improve memory efficiency. c. The process in which the list/array is partitioned into two equal halves; the sort proceeds by recursively partitioning until we have partitions of size 2, in which case elements are merged in correct order. *d. The step where all elements less than a given pivot are placed on the left of the pivot, and all elements larger than the pivot are moved to the right. e. f. " g. " h. " i. " General Feedback: D is how it works. 632831 Many languages allow negative indexing for arrays: items[-1] for the last item, items[-2] for the second to last, and so on. Java doesn't support this indexing directly, but we can create a class that wraps around an array and converts a negative index into the appropriate positive one: class WrappedStringArray { private String[] items; ... public String get(int i) { if (i >= 0) { return items[i]; } else { return TODO; } } }   What expression must we replace TODO with to support negative indexing? a. (int) Math.abs(i) *b. items.length + i c. (int) Math.abs(i + 1) d. items.length - 1 - i e. items.length - i f. " g. " h. " i. " j. " General Feedback: We want items[-1] to map to items[items.length - 1], and only the correct answer handles this case. 633558 What happens if you forget to define the equals method for your key class used to insert elements into a hashtable? a. The elements can be inserted but remain inaccessible. b. Inserting an element will raise an exception. *c. Elements can be inserted and retrieved only by using the same key instances used to insert the elements. d. All elements will map to the same location in the table. e. f. " g. " h. " i. " General Feedback: When a key lookup is performed, we will find the hashtable location and then compare the keys using Object.equals. Object.equals returns true only when the two keys refer to the same object. 633559 You've got two classes, Key and Value, both of which descend from Object. You intend to use these classes to populate a hashtable. Which class needs the hashCode method and which needs the equals method? a. Key.hashCode, Value.equals *b. Key.hashCode, Key.equals c. Value.hashCode, Object.equals d. Key.hashCode, Object.equals e. Value.hashCode, Value.equals f. " g. " h. " i. " j. " General Feedback: Only the Key needs these methods. On a search, only the Key will be provided, so that alone must provide the necessary information for finding the corresponding Value. Object's implementation of the equals method is too restrictive, comparing Keys only for identity. 618547 If you are about to evaluate the following code, which following comments would you choose? FileReader inputStream = null; try {        inputStream = new FileReader("in.txt");        int c;        while ((c = inputStream.read()) != -1)                  // ... code has been deleted }catch (IOException e){         System.out.println(e.getLocalizedMessage()); } a. Add finally to the above structure. *b. Make sure you close in.txt. c. Buffering input streams is a must. d. All of the above choices must be applied. e. f. " g. " h. " i. " General Feedback: Buffering input streams is a must. 633563 Double hashing a. involves hashing the hash code b. avoids collisions by computing a hash code that's a double instead of an int c. prevents collisions by keeping two tables d. produces a second index in [0, table.length) *e. is less vulnerable to clustering than linear or quadratic probing f. " g. " h. " i. " j. " General Feedback: With double hashing, a second hash function is used to determine the step size for the probing sequence. With linear or quadratic probing, elements that collide also tend to have the same step size, which leads to clustering. A secondary hash breaks up this uniformity. 632544 The above instance (or Object) diagram represents a Queue. If I invoke wilma.dequeue(),  it returns: *a. A blue car b. A red car c. A chartreuse car d. A Node whose _element is a blue car e. A Node whose _element is a chartreuse car f. " g. " h. " i. " j. " General Feedback: Dequeue removes the least-recently enqueued element from the Queue and returns it.  This element is at the "head" end of the Queue.  What it returns is specified by the interface, which is independent of implementation, so it is a Car, not a Node. 632545 The time complexity of selection sort is: a. O(1) b. O(n) c. O(n log n) *d. O(n2) e. none of the above f. " g. " h. " i. " j. " General Feedback: Selection sort requires n(n-1)/2 comparisons.  634914 Martina has created an array, arr[50], and she has written the following line of code: *(arr + 20) = 6; Rewrite this line to use the [ ] notation for arrays. a. arr[21] = 6 b. *arr[20] = 6 *c. arr[20] = 6 d. *arr[21] = 6 e. f. " g. " h. " i. " General Feedback: arr[20] == *(arr + 20) 632795 Which statement or statements store 0.8 into the variable d of type double? a. double d=8/10; *b. double d=8.0/10.0; c. double d=8/10.0; d. double d=8.0/10; e. None of the above f. " g. " h. " i. " j. " General Feedback: A is wrong because 8/10 is zero.  But the B,C,D (8.0/10.0, 8/10.0, 8.0/10) all produce 0.8 because Java will promote any ints to a double in an arithmetic expression so long as there is at least one double in the expression. 629956 Suppose you have a Java array of ints. The worst-case time complexity of printing out the elements in the list is: a. O(1) b. O(log n) *c. O(n) d. O(n log n) e. O(n2) f. " g. " h. " i. " j. " General Feedback: If we assume that printing a single value can be done in constant time for some constant k, then printing n values can be done in kn time, which is O(n). 633242 Suppose you have a binary search tree with no left children. Duplicate keys are not allowed. Which of the following explains how this tree may have ended up this way? *a. It was filled in ascending order. b. The root value was the maximum. c. All keys were identical. d. The tree is a preorder tree. e. It was filled in descending order. f. " g. " h. " i. " j. " General Feedback: If the least node was inserted first, with each successive node having a greater key than its predecessor, we'd end up with all right children. Adding nodes with identical keys is prohibited by the problem statement, though it would yield a similar tree. 633277 Mohamed has a brute force solution for vertex covering that takes one milisecond to test a possible vertex covering. The large graph has 64 nodes, so there are 264 possibilities (approx 1.85 * 1019 ). (There are 1000 ms in a second.) How long will Mohamed’s code take to run? a. about 500,000 days b. about 500,000 years *c. about 500,000,000 years d. e. f. " g. " h. " General Feedback: ((1 / 1000*60*60*24) day ) * 1.85 * 10^19  = about 2 * 10^11 days -- so not A. 2 * 10^11 days is about 5 * 10^8 years. 631936 After the Java assignment statement    String word = "blank"; which of the following Java code fragments prints    blink ? a. word[2] = "i"; System.out.println(word); *b. word.replaceAll("a","i");System.out.println(word); c. word = word.substring(0,1) + "i" + word.substring(3,5);System.out.println(word); d. All of (a)–(c). e. None of (a)–(c) . f. " g. " h. " i. " j. " General Feedback: (a) is wrong because the Java syntax word[n] requires the variable word to be an array. (c) is almost right; it just needs to have a 2 instead of the 1 in the first call to substring. Since (a) and (c) are wrong, (d) must be wrong. (b) is correct, so (e) must be wrong.  632020 Consider the following possible Java class names:    General, colonel, Private, Major-General, Strategy&Tactics When determining which names are valid, which of the following factors is important: a. Class names start with a capital letter. b. Class names must not be a Java reserved word.  c. Class names are generally nouns, corresponding to a person, place, thing, or idea.  d. Class names must start with a letter or underscore, followed by zero or more letters, digits, and/or underscores.  *e. All of the above.  f. " g. " h. " i. " j. " General Feedback: Choices (b) and (d) are Java syntactic rules; A and C are generally accepted conventions. 631018 In Java, what value will the variable d have after this declaration: double d = 18 / 4; *a. 4.0 b. 4.5 c. 18.4 d. None of these e. f. " g. " h. " i. " General Feedback: While the variable d is being declared as a double, the initial value provided on the righthand side is actually an int expression, consisting of one integer value divided by another.  When the int expression is evaluated, its result is also an int and any fractional part is truncated.  The value of 18 / 4 is 4 (an int).  After this int value is produced, it is then promoted to a double value when initializing the variable d, giving d the initial value 4.0. 633236 This code fails to compile: char current = 'a'; current = current + 1;   Why? a. We can't add ints and chars. *b. We're trying to squeeze an int into a char. c. The character after 'a' is platform-dependent. d. We're trying to squeeze a String into a char. e. The assignment is infinitely recursive. f. " g. " h. " i. " j. " General Feedback: The char is promoted to an int when an int is added to it. Thus, our right-hand side is an int while our left-hand side is a char. Assigning an int into a char may result in information less, which requires us to sign off on this risky operation with an explicit cast. 633274 Which problem is not P (assuming P!=NP)? *a. Integer knapsack b. Single-source shortest path c. Minimum spanning tree d. Sorting e. f. " g. " h. " i. " General Feedback: Integer knapsack is considered NP-Complete. 634126 What will this code output on a 64-bit machine? int vals[10]; printf("%d\n", sizeof(vals + 0)); a. 4 *b. 8 c. 40 d. 80 e. f. " g. " h. " i. " General Feedback: sizeof(vals + 0) will get the size of the memory address of the first element in vals; a pointer is 8 bytes on the 64-bit machine 635005 Which algorithm is most arguably a greedy algorithm? (Circle the best answer.) a. merge sort b. insertion sort *c. selection sort d. bubble sort e. f. " g. " h. " i. " General Feedback: Selection sort greedily takes the min/max of the array. This is a clicker question to discuss what greedy means; none of the algorithms are really greedy! 634978 GIven the "standard" set of Stack methods, what would fred.pop() return? a. A Node whose element is a blue Car b. A Node whose element is a red Car *c. A blue Car d. A red Car e. A Stack that contains the remaining Car f. " g. " h. " i. " j. " General Feedback: Pop removes the most-recently pushed element from the Stack and returns it.   What it returns is specified by the interface, which is independent of implementation.  A user should be able to interact with a stack using push, pop, peek, and isEmpty without knowing the implementation details. 634982   The above instance (or Object) diagram represents: a. A collection of Car and Node objects b. A Node list *c. A Stack with a blue Car on top d. A Stack with a red Car on top e. None of the above f. " g. " h. " i. " j. " General Feedback: The diagram represents a Stack whose top element is a blue Car.   It includes a Node list, and a number of Node and Car objects, but the whole picture represents a Stack. 634989 Anastasiya has written code that loops over an int array named a which is of length N. Fill in the missing parts of the for loop’s declaration. int sum = 0; int *p; for(p = a; ; ) // complete this line { sum += *p; } a. p < N; p++ b. p; p++ *c. p < a + N; p++ d. p; p = p->next e. p->next; p = p->next f. " g. " h. " i. " j. " General Feedback: p will not work as the ending condition as you don't know what's at the end of the array; N is not an appropriate ending condition as it needs to be relative from where you started. D and E are wrong as those would be for linked lists. 633254 You've got an algorithm that is O(log N). On the first run, you feed it a collection of size M. On the second run, you feed it a collection of size M / 2. Assuming each run has worst-case performance, how many fewer operations does the second run take? a. 0 *b. 1 c. 2 d. 3 e. 4 f. " g. " h. " i. " j. " General Feedback: The first run takes log M operations. The second run takes log (M/2) = log M - log 2 = log M - 1 operations. The second is just one operation less than the first. 631016 In Java, what value will the variable i have after this declaration: int i = 2 + 8 % 4; a. 0 *b. 2 c. 4 d. 4.0 e. 6 f. " g. " h. " i. " j. " General Feedback: When evaluating the initialization expression, precedence requires the modulo operator % to be applied first. 8 % 4 produces the value 0, since 8 divided by 4 has a remainder of zero.  When zero is then added to 2, the result is 2, which becomes the initial value of the newly declared variable. 634997 Assume M and N are positive integers. What does the following code print? int sum=0; for (int j=0; j charArray = new ArrayList(); b. ArrayList objectArray = new ArrayList(); c. ArrayList intArray = new ArrayList(10); *d. ArrayList doubleArray = new ArrayList(10); e. f. " g. " h. " i. " General Feedback: ArrayList intArray = new ArrayList(10); 630955 Which of the following choices would best be modeled by a class, followed by a subclass of that class? a. CountryInAfrica, Botswana b. Botswana, CountryInAfrica c. CountryInAfrica, Country *d. Country, CountryInAfrica e. Botswana, SouthAfrica f. " g. " h. " i. " j. " General Feedback: Choices A and B are wrong, because one of the items listed is a concrete item that would be better modeled by an object. Choice E is wrong because both items listed are concrete. Choices C and D both list a class and a subclass, but only in Choice D does the class come first, followed by the subclass.  630938 In Java, the actual type of a parameter or variable’s value can be any concrete class that is a. a. the same as the declared type, or any subclass of the declared type (if the declared type is a class) b. b. any subclass of a class that implements the declared type (if the declared type is an interface) c. c. any class that implements the declared type (if the declared type is an interface) *d. d. All of the above e. e. A and C above, but not B f. " g. " h. " i. " j. " General Feedback: e. A and C above, but not B 631873 Given the code: if (x >= 0) System.out.println("1"); else if (x < 20) System.out.println("2"); else System.out.println("3"); System.out.println("4");   for what integer values of x will 2 be among the values printed?  *a. x < 0 b. x >= 0 c. x < 20 d. All values of x e. None of the above f. " g. " h. " i. " j. " General Feedback: The if-else clause will be executed only when the if-clause is false. So for all int values less than 0, 2 will be printed. 632081 What will the display look like after these lines of code, with [ ] representing a space? float fData = 3.6239; printf("%3.1f \n", fData); *a. 3.6 b. 3.62 c. 3.624 d. [ ] 3.62 e. [ ] [ ] 3.6 f. " g. " h. " i. " j. " General Feedback: The printf function follows the pattern printf("format" [, list of_ fields]).  Within the "format" element the field specifiers have the following format [% [-] [+] [width [.precision]] data_type], where the square brackets indicate that the element is optional.   In this case %f represents a floating point element, and 3.1  the required precision of 1 decimal place. 632087 What will be output by this loop? for(n = 1, m = 5; n <= 5; n++, m--) printf("%d %d\n", n, m); *a. 1 5 2 4 3 3 4 2 5 1 b. 1 4 2 3 3 2 4 1 5 0 c.  5 1 4 2 3 3 2 4 1 5 d. 1 5 2 4 3 3 4 2 e. 1 4 2 3 3 2 4 1 f. " g. " h. " i. " j. " General Feedback: The loop increments the value of n and decrements the value of m on each iteration printing the value of each variable, until n reaches the terminal value of 5 632114 What would be the performance of a method called addAfter(p), in which p is a position of a node or an index of an array, if the data structure is implemented by an array or linked list structure respectively? a.  O(1), O(1) b. O(1), O(n) *c. O(n), O(1) d. O(n), O(n) e. f. " g. " h. " i. " General Feedback: O(n), O(1) 634935 public class RecursiveMath ... public int fib (int a) { if (a == 1) return 1; else return fib(a-1) + fib(a-2); } ... }   Given the above definition, what is the result of executing the following? RecursiveMath bill = new RecursiveMath(); int x = bill.fib(-1); a. x is set to -1 b. x is set to undefined *c. The code does not terminate d. The code cannot be executed, because it won't compile e. None of the above f. " g. " h. " i. " j. " General Feedback: The problem:  When we invoke fib(-1),  a gets bound to -1; since that is not equal to 1, we call fib(-2) and fib(-3), and so on.  We keep making recursive calls, and the parameter will never be equal to 1 since we are getting further away from 1 with each call.  So it will not terminate. 634951 You don't know exactly how much data you need to store, but there's not much of it. You'd like to not allocate any memory that won't be used. You do not need to be able to search the collection quickly. What is the simplest data structure that best suits for your needs? a. Unordered array b. Ordered array *c. Linked list d. Hashtable e. Binary search tree f. " g. " h. " i. " j. " General Feedback: Since arrays must be allocated before they are used, we tend to overallocate to make sure we have sufficient capacity. This wastes space. If we're not exactly sure of how much storage we need and without a need for fast searching, a linked list is a good choice. 618972 Which of the choices will produce the same result as the following statement? if ( mark == 'A' && GPA > 3.5)     System.out.println("First Class"); else     System.out.println("Not First Class"); a. if ( mark != 'A' && GPA <= 3.5)     System.out.println("First Class"); else     System.out.println("Not First Class"); b. if ( mark != 'A' || GPA <= 3.5)     System.out.println("First Class"); else     System.out.println("Not First Class"); c. if ( mark == 'A' || GPA > 3.5)     System.out.println("First Class"); else     System.out.println("Not First Class"); *d. if ( mark != 'A' || GPA <= 3.5)     System.out.println("Not First Class"); else     System.out.println("First Class"); e. f. " g. " h. " i. " General Feedback: if ( mark == 'A' || GPA > 3.5)     System.out.println("First Class"); else     System.out.println("Not First Class"); 618968 Which one of the following assignments will be resulted in 1.0? a. double x = 6.0/4.0; b. double y = (int)6.0/4.0; *c. double z = (int)(6.0/4.0); d. double t = 6.0/(int)4.0; e. f. " g. " h. " i. " General Feedback: double z = (int)(6.0/4.0); 618663 If class test is going to listen to an event, which statement, if added to the following code, cannot be a solution for event handling? public class test implements ActionListener{      JButton okButton;      public static void main(String [] args){           SimpleGui_V2 firstGui = new SimpleGui_V2();           firstGui.draw();      }      public void draw(){           JFrame rootFrame = new JFrame();           okButton = new JButton("OK");           // missing code           rootFrame.add(okButton);      }      public void actionPerformed (ActionEvent event){           if (okButton.getText().compareToIgnoreCase("ok")== 0)                 okButton.setText("clicked");           else                 okButton.setText("OK");      } } a. okButton.addActionListener(new test()); b. okButton.addActionListener(this); *c. okButton.addActionListener(new ActionListener()); d. okButton.addActionListener(new ActionListener(){     public void actionPerformed (ActionEvent event){         if (okButton.getText().compareToIgnoreCase("ok")== 0)             okButton.setText("clicked");         else             okButton.setText("OK"); }}); e. f. " g. " h. " i. " General Feedback: okButton.addActionListener(new ActionListener()); 618661 A compiler error existed in this code. Why is that happening? public class test {     final int testCount1;     final static int testCount2;     static int testCount3;     int testCount4; } *a. testCount1 and testCount2 have not been initialized. b. testCount2 and testCount3 have not been initialized. c. testCount3 and testCount4 have not been initialized. d. None of the instance variables have been initialized. e. f. " g. " h. " i. " General Feedback: testCount3 and testCount4 have not been initialized. 618658 A compiler error existed in this code. Why is that happening? public class test {        final int testCount;        int classCount;        public int getCount(){                return testCount+classCount;        } } a. testCount and classCount have not been initialized. *b. testCount has not been initialized. c. classCount has not been initialized. d. testCount and classCount cannot be added in return statement. e. f. " g. " h. " i. " General Feedback: classCount has not been initialized. 632134 consider the section of code below: int a = 3, b = 4, c = 5; x = a * b <= c What will x be after executing this code? *a. 0 b. 1 c. 3 d. 12 e. 17 f. " g. " h. " i. " j. " General Feedback: Due to the precedence of operators here, first a and b are multiplied and then the total [12] is compared with c [5].  If the logical comparison evaluates to true x assumes the value 1,  otherwise (as in this case) , it evaluates to false and x assumes the value 0. 618643 What would be the output? Vector vect_1 = new Vector(); Vector vect_2 = new Vector(); vect_1.addElement(1); vect_1.addElement(2); vect_2.addElement(3); vect_2.addElement(4); vect_1.addElement(vect_2); System.out.print(vect_1.toString()); System.out.print(vect_1); a. This is a compiler Error. A vector of type Integer cannot be added to a vector of type Object. b. [1, 2, [3, 4]][] c. [1, 2, 3, 4][] *d. [1, 2, [3, 4]][1, 2, [3, 4]] e. f. " g. " h. " i. " General Feedback: [1, 2, 3, 4][] 632179 How many times will the printf statement be executed in this piece of code? In each case assume the definition int i = 0; WARNING There are some very nasty traps in some of the code here. LOOK AT IT ALL VERY CAREFULLY! while (i < 20) {      if ( i = 2 )           printf("Count me!");      i++; } a. 0 b. 1 c. 19 d.  20 *e. an infinite number f. " g. " h. " i. " j. " General Feedback: The program fails the test of equality on the first pass through as i=0, so falls through the if statement without incrementing the index.  This triggers the while loop again (which again fails the equality test  as the index remains at 0) and the program loops in an endless cycle. 632182 How many times will the printf statement be executed in this piece of code? In each case assume the definition int i = 0; WARNING There are some very nasty traps in some of the code here. LOOK AT IT ALL VERY CAREFULLY! for(i = 0; i <= 3; i++) {      switch ( i )      {            case 0: puts("Case 0");            break;           case 1: puts("Case 1");           case 2: puts("Case 2");           default: printf("Count me!");      } } a. 0 b.  1 c.  2 *d.  3 e. an infinite number f. " g. " h. " i. " j. " General Feedback: The code iterates until the index reaches 3 (a total of four times) but on the first iteration the case statement bresk before executing the printf function.  On subsequent iterations the printf fucntion is executed, twice by matching the index values and once by default. 633219 This sorting algorithm starts by finding the smallest value in the entire array. Then it finds the second smallest value, which is the smallest value among the remaining elements. Then it finds the third smallest value, the fourth, and so on. *a. selection sort b. insertion sort c. bubble sort d. quick sort e. merge sort f. " g. " h. " i. " j. " General Feedback: This procedure describes the steps of the selection sort, which repeatedly selects outs the ith smallest element. 633377 You see the expression n = 128 in some code that successfully compiles. What type can n not be? a. int b. char *c. byte d. float e. double f. " g. " h. " i. " j. " General Feedback: Bytes only hold values in [-128, 127]. 618979 Which one of the codes bellow will NOT compute the summation of 10 consecutive even numbers starting from zero? a. sum = 0; for (int i = 0; i <20 ; i = i+2){     sum+=i; } b. sum = 0; for (int i = 0; i <10 ; i++){     sum+=i*2; } *c. sum = 0; for (int i = 0; i <10 ; i= i+2){     sum+=i; } d. sum = 0; for (int i = 0; i <20 ; i++){     sum+=i/2; } e. f. " g. " h. " i. " General Feedback: sum = 0; for (int i = 0; i <10 ; i= i+2){     sum+=i; } 632088 What will be printed by this code? public static void main(String [] args){         int [] number = {1, 2, 3};         changeNumber (number);         for (int i=0; i x[i+1]) b = false; else b = true; } return b; *b. for (int i=0; i x[i+1]) return false; } return true; c. boolean b = false; for (int i=0; i x[i+1]) b = false; } return b; d. boolean b = false;for (int i=0; i x[i+1]) b = true; } return b; e. for (int i=0; i x[i+1]) return true; } return false; f. " g. " h. " i. " j. " General Feedback: This code should check each pair of consecutive values in the array and return false (that is, the array is not sorted) if it finds a single pair where the first value is greater than the second. Choice A is wrong because its answer depends only on the relationship of the last two values it checks. Choice C is wrong because it always returns false. Choices D and E are wrong  because they return false when the array *is* sorted and true when it isn't.  627747 For the purposes of this question, two code fragments are considered to be equivalent if, when they are run using the same input, they always produce the same output. Which line could be removed from the following code fragment so that the resulting code fragment is equivalent to the original one? 1. Scanner kbd = new Scanner(System.in); 2. int x, product; 3. x = -1; 4. product = 1; 5. x = kbd.nextInt(); 6. while (x >= 0) { 7. if (x > 0) { 8. product *= x; 9. } 10. x = kbd.nextInt(); 11. } 12. System.out.println(product); *a. Line 3 b. Line 4 c. Line 5 d. Line 8 e. Line 10 f. " g. " h. " i. " j. " General Feedback: Line 3 can be removed because x is initialized again in line 5, before it is ever used.  618982 What will be outputted? char initial = 'a'; switch (initial){ case 'a':           System.out.print("a"); case 'A':           System.out.print("A");           break; case 'b':          System.out.print("B"); default:          System.out.print("C");          break; } a. a *b. aA c. aAB d. aABC e. f. " g. " h. " i. " General Feedback: aAB 634146 Depth-first traversal is kind of like selection sort, in the same way that breadth-first traversal is like what sorting algorithm? a. Radix sort b. Bubblesort c. Heapsort d. Quicksort *e. Insertion sort f. " g. " h. " i. " j. " General Feedback: Insertion sort is breadth-first-like as you keep increasing the "breadth" of the array that is sorted. 633872 Thomas has the following program that he is running on a 64-bit machine: #include int main() { int x = rand(); int y = rand(); }   What is not true about y? *a. y is less than RAND_MAX b. y is four bytes in size c. y is stored in the same stack frame as x d. y’s value cannot be deduced from x’s e. f. " g. " h. " i. " General Feedback: y <= RAND_MAX, not y < RAND_MAX. As rand has not been seeded, and is pseudorandomly generated, y can theoretically be deduced from x. 617887 Consider the following output consisting of a block of stars, with no spaces between each star, and no blank lines in between the lines of stars:    *****    *****    *****    ***** Considering a plan for a program to print out this shape, which of the following would be your main control structure? a. sequence b. selection *c. repetition d. or something else e. f. " g. " h. " i. " General Feedback: or something else 630978 Which of the following recommendations for testing software is good advice? a. Limit your test cases to one assertion, since each test should check only one expected outcome. b. Save your testing until after the solution is completely written, so you can concentrate solely on testing without distractions. c. Test a program with all possible values of input data. *d. Test each piece of your solution as you build it, so you will find errors as quickly as possible. e. Longer tests that focus on combinations of multiple features are preferable, because they test your code more strenuously. f. " g. " h. " i. " j. " General Feedback: Incrementally testing your code as you write it helps you find errors more quickly, and ensures that new work builds on previous work you have already confirmed works.  The other four choices here represent less effective or impractical advice. 632602 Which of the following is not an abstract datatype? a. List b. Queue c. Hashtable d. Array *e. Both C and D f. " g. " h. " i. " j. " General Feedback: Hashtables and arrays are data structures, not abstract datatypes.  Note: This question was written by A. Luxton-Reilly. K. Sanders entered and tagged the question and added choice E, after A. Luxton-Reilly had to withdraw from the WG due to illness. 634970 What algorithm does mystery implement, when a list of values is passed in as its argument? def mystery (listOfVals):     current = 1     while (current < len(listOfVals)):         pivot = listOfVals[current]         underExam = current - 1         while ((underExam >= 0) and (listOfVals[underExam] > pivot)):             listOfVals[underExam+1] = listOfVals[underExam]             underExam = underExam - 1         listOfVals[underExam+1] = pivot         current = current + 1     return (listOfVals) *a. Insertion Sort b. Quicksort c. Selection Sort d. List Reverser e. Bubble Sort f. " g. " h. " i. " j. " General Feedback: This is a classic implementation of Insertion Sort.  Each item in the list is repeatedly inserted into its correct spot in the portion of the list already sorted. 633288 What operation contributes the log N to heap sort's O(N log N) complexity? a. Trickling up only b. Trickling down only *c. Both trickling up and trickling down d. Searching the array e. Splitting the array in half f. " g. " h. " i. " j. " General Feedback: The heapsort involves inserting all elements and removing all elements. Inserting requires a trickle up and removing requires a trickle down. 632878 We say indexing is fast if it's done in O(1) time, searching is fast if done in O(lg N) time, and inserting and deleting are fast if done in O(1) time. Compared to other data structures, sorted arrays offer: a. slow indexing, slow search, slow insertions and deletions. *b. fast indexing, fast search, slow insertions and deletions. c. fast indexing, slow search, slow insertions and deletions. d. slow indexing, slow search, fast insertions and deletions. e. slow indexing, fast search, fast insertions and deletions. f. " g. " h. " i. " j. " General Feedback: Sorted arrays can be indexed in constant time (which is fast), searched in O(lg N) time (which is fast), and restructured in O(N) time (which is not as good as O(1) time). 633662 True or False: Public methods and public variables are the only part of your class that clients can access and use. a. True *b. False c. d. e. f. " g. " General Feedback: Clients can also inherit protected variables.  If you are writing code that will be used by clients, you need to think carefully about whether you want clients to extend your classes, and if so, how. 634139 Jack has the code below. What will it print out? int array[] = { 45, 67, 89, 22, 13 }; int *array_ptr = &array[1]; printf("%d, ", array_ptr[1]); printf("%d, ", *(array_ptr++)); printf("%d, ", *array_ptr++); printf("%d\n", *array_ptr); a. 67, 67, 67, 89 b. 67, 45, 67, 89 *c. 89, 67, 89, 22 d. 89, 89, 89, 67 e. 67, 89, 22, 22 f. " g. " h. " i. " j. " General Feedback: The array pointer starts at the second element; the incrementing is done post-evaluation. 633258 Which of the following is not a reason why wall clock time is a poor measure of an algorithm's performance? a. It's dependent on processor speed. b. Other programs may interrupt the one being measured. c. The input cases may not capture the worst case running time. *d. Different platforms measure wall clock time differently. e. Subsequent runs may read data from cache instead of disk. f. " g. " h. " i. " j. " General Feedback: Wall clock time is a measure of real elapsed time between two events, which is no different from one computer to the next. 629925 Choose the answer that best describes how to compute the value of the following Java arithmetic expression:      4 * 3 + 6 / 4 a. Evaluate the operations from left to right: * then + then /. b. Evaluate * and / first (from left to right), and then evaluate +. c. Round the answer to 6/4 towards 0.  d. A and C. *e. B and C.  f. " g. " h. " i. " j. " General Feedback: In Java, multiplication and division have higher precedence than addition, and division is closed under ints. 631540 How many times will F be called if n = 5, ignoring F(5) itself? public static long F(int n) {       if (n == 0)return 0;       if (n == 1) return 1;       return F(n-1) + F(n-2); } *a. 15 b. 12 c. 7 d. 5 e. f. " g. " h. " i. " General Feedback: 7 633238 Compared to a sorted linked list, a balanced binary search tree offers a. slower searching and faster insertion b. slower searching and slower insertion c. the same performance for searching and insertion d. faster searching and slower insertion *e. faster searching and faster insertion f. " g. " h. " i. " j. " General Feedback: Insertion is O(n) for a sorted linked list, as we must traverse the list to find the correct insertion point. Searching is O(n) since we only have sequential access; the binary search does not work for linked lists. Balanced BSTs can be traversed in O(lg N) time, making it faster for both operations. 633576 You need to sort an array but have no extra memory to spare. Which algorithm do you avoid? a. bubble sort *b. merge sort c. quick sort d. heap sort e. insertion sort f. " g. " h. " i. " j. " General Feedback: Merge sort requires a secondary array to merge into. 633571 Which of the following is true of a Java interface? a. Instance variables are allowed, but they must be public. *b. Private methods may not be declared. c. Static and final constants may not defined. d. Methods may have implementations provided they are marked final. e. All methods must be explicitly declared abstract. f. " g. " h. " i. " j. " General Feedback: All methods in an interface are public, even if you leave off the access modifier. 634129 After calling the following function, what will the values of n and m be? Assume that before calling the function, n = 2 and m = 5. void example(int *n, int *m) {    *n++;    *m += 5; } void main() { int n = 2; int m = 5; example(&n, &m); printf("n = %d and m = %d", n, m); } a. n = 2 and m = 5 b. n = 3 and m = 5 *c. n = 2 and m = 10 d. n = 3 and m = 10 e. f. " g. " h. " i. " General Feedback: Due to order of operations, the ++ will not change n. 630653 Finding the maximum value in a complete and balanced binary search tree is a. O(1) *b. O(log N) c. O(N) d. O(N2) e. O(N log N) f. " g. " h. " i. " j. " General Feedback: The maximum is the root's right-most descendent, which can be reached in log N steps. 633568 You need to store a large amount of data that can be searched quickly by some key, but you don't know exactly how many elements you'll need to store. You want to waste no storage space. The elements to be added are in random order. What is the simplest data structure that meets your needs? a. Ordered array b. Linked list c. Hashtable *d. Binary search tree e. Self-balancing tree f. " g. " h. " i. " j. " General Feedback: Hashtables provide fast searching, but they may waste storage space. A tree makes better use of memory. Since the keys are in a random order, it's likely a binary tree will end up balanced just through the insertion price. 633235 What is printed when the following program runs? public class Main { public static boolean getTrue() { System.out.print("T"); return true; } public static boolean getFalse() { System.out.print("F"); return false; } public static void main(String[] args) { getFalse() && getFalse(); } } a. FF b. T c. TF *d. F e. Nothing is printed. f. " g. " h. " i. " j. " General Feedback: The first operand is false. && requires both operands to be true, so we don't bother evaluating the second. 618480 It is desired to have an output as shown bellow as a consequence of running the following code. What would be the type of st1? __________ st1 = new __________("Measure twice, cut once"); System.out.println(st1); System.out.println(st1.toUpperCase()); System.out.println(st1);   Measure twice, cut once MEASURE TWICE, CUT ONCE Measure twice, cut once *a. String b. StringBuffer c. StringBuilder d. All of the above is possible e. f. " g. " h. " i. " General Feedback: StringBuilder 618492 What package should be imported for this code to work correctly? ArrayList intValues = new ArrayList (); public void add (){      for (int i=0; i <50; i++ )      intValues.add(i); } *a. java.util b. java.lang c. java.io d. java.math e. f. " g. " h. " i. " General Feedback: java.io 618503 If we know the length of the string used in our program is almost 200, is there any difference between these following definitions in terms of performance? StringBuilder string1 = new StringBuilder(); StringBuilder string2 = new StringBuilder(50); StringBuilder string3 = new StringBuilder(100); a. No, there is no performance difference. b. Yes, the definition of string1 is better. c. Yes, the definition of string2 is better. *d. Yes, the definition of String3 is better. e. f. " g. " h. " i. " General Feedback: Yes, the definition of string2 is better. 632120 Consider these lines of code: txtName.SetFocus txtName.SelStart = 0 txtName.SelLength = Len(txtName.Text) txtName is an edit text box which is currently visible. What is the code expected to do? a. Clear the text in txtName. b. Copy the text in txtName to the clipboard. c. Fill txtName with text pasted from the clipboard. *d. Highlight all the text in txtName. e. Remove the highlight from all the text in txtName. f. " g. " h. " i. " j. " General Feedback: The code sets focus to the text box and by selecting the focus area from start of the text box to its end thereby highlights the contents 618563 Depending on which delimiter is used in the following code, which output will be resulted respectively? String input = "Keep your friends close and your enemies closer"; Scanner sc_input = new Scanner(input).useDelimiter("_______________"); while (sc_input.hasNext())       System.out.println(sc_input.next()); sc_input.close(); I.    \\s*close\\s II.    \\s*close\\s* III.   \\s*close a. I. Keep your friends and your enemies closer II. Keep your friends and your enemies closer III. Keep your friends and your enemies r b. I. Keep your friends and your enemies closer II. Keep your friends and your enemies r III. Keep your friends and your enemies r *c. I. Keep your friends and your enemies closer II. Keep your friends and your enemies r III. Keep your friends and your enemies r d. I. Keep your friends and your enemies closer II. Keep your friends and your enemies closer III. Keep your friends and your enemies r e. f. " g. " h. " i. " General Feedback: I. Keep your friends and your enemies closer II. Keep your friends and your enemies r III. Keep your friends and your enemies r 632084 Before testing an executable version of your program with data from a test file using DOS redirection, you should remove all calls to fflush from your program. Why is this necessary? a. fflush is not part of the ANSI C standard. b. fflush is for debugging only. It causes a run time error in an exe file. *c. fflush would read and ignore all remaining data in the test file. d. fflush is not in any QuickC library. e. fflush does not echo output to the screen. f. " g. " h. " i. " j. " General Feedback: fflush would read and ignore all remaining data in the test file, as it has already flushed the input buffer 618556 To let the Scanner sc = new Scanner(System.in); statement works fine, which package should be imported? *a. java.util b. java.io c. java.lang d. java.Scanner e. f. " g. " h. " i. " General Feedback: java.lang 632098 Suppose we have an arbitrary number of entries that each includes a key and a value. We never need to search the entries while the rule for insertion and removal is first-in-last-out. Which data structure is proper? a. one dimensional array b. two dimensional array *c. single linked list d. double linked list e. f. " g. " h. " i. " General Feedback: single linked list 632110 I have a number of different forms in my program, and have help topics explaining how each should be used. When the users presses F1, I want the appropriate help topic to appear depending on which form is currently open. What is the easiest way to achieve this? a. Set the HelpContextID property of the Application object to the appropriate ID value. *b. Set the HelpContextID property of each form to the appropriate ID value. c. Set the HelpContext property of a Common Dialog control to the appropriate ID value. d. Set the HelpCommand property of a Common Dialog control to the appropriate ID value. e. Rewrite the help as a number of different help files, one for each form. Use a different HelpFile property for each form. f. " g. " h. " i. " j. " General Feedback: The HelpContextID property is used to link a user interface element (such as a control, form, or menu) to a related topic in a Help file. The HelpContextID property must be a Long that matches the Context ID of a topic in a WinHelp (.hlp) or HTML Help (.chm) file. source http://msdn.microsoft.com/en-us/library/aa261329%28v=vs.60%29.aspx 618487 To make the following code work without any error, one of the given solutions is not right. Which one is it? class D {       int Diameter;       public D(int d){             Diameter = d;       } } public class E {       public static void main(String arg[]){             D diam = new D();       } } a. To omit the input argument of the constructor. b. To define diam by passing an int value to constructor. c. To define a null constructor. *d. To define the constructor private. e. f. " g. " h. " i. " General Feedback: To define a null constructor. 630992 Suppose you are writing a method in a new class. You are also writing unit test cases to demonstrate that this method works correctly. You know you have written enough test cases to demonstrate the method works as desired when? a. You have written at least one test case that uses the method. *b. You have written separate test cases for each identifiable “group” of input values and/or output values where the behavior is expected to be similar. c. You have written at least one test case for every input value that can be given to the method. d. You have written at least one test case for every output value that can be produced by the method. e. You have written at least one test case for every input/output value combination that can be given to/produced by the method. f. " g. " h. " i. " j. " General Feedback: For most interesting methods, there are too many possible input values and/or output values for you to check them all.  However, checking just one input our output is insufficient for methods that do anything sophisticated.  As a result, it is often helpful to think of the different cases or "equivalence classes" of input/output values where the methods behaves similarly, and ensure you test each such group separately.  Often, writing multiple tests for each group--so that you can double-check the method's behavior "at the boundary" of the group--is especially helpful. 618540 Is there any error in this code? String [] firstNames = {"Neda", "Dorsa"}; int [] ages = {10, 14}; if (ages[0]>ages[1])             if (firstNames[0]> firstNames [1])                       System.out.print(firstNames[0] + "has the priority");              else System.out.print("They both have the same priority"); else System.out.print(firstNames[1] + "has the priority"); *a. Yes, wrong operator has been used for string type. b. Yes, wrong operator has been used for int type. c. Yes, array is out of bound. d. This code has no Error. e. f. " g. " h. " i. " General Feedback: Yes, array is out of bound. 630999 Consider the incomplete code segment below. The segment is supposed to initialize a 4 x 4 matrix as shown in this image: final int SIZE = _________; // line 0 int matrix[][] = new int[SIZE][SIZE]; // line 1 for (int i = 0; i < SIZE; i++) // line 2 { for (int j = 0; j < SIZE; j++) // line 3 { if ( _________________ ) // line 4 { matrix[i][j] = 4; // line 5 } else if ( _______________ ) // line 6 { matrix[i][j] = 1; // line 7 } else { matrix[i][j] = 0; // line 8 } } }   Select statement from the choices below that is the best choice to fill in the blank on line 0 of this code segment so that it behaves as desired. a. 3 *b. 4 c. 5 d. 16 e. None of these f. " g. " h. " i. " j. " General Feedback: The constant SIZE is used to define the width and height of the array (matrix), which is 4x4. 634922 Given this class diagram, what best describes what happens with the code fragment above? a. The code compiles and executes fine b. Code fails at compile time, error in line 2 c. Code fails at execution time, error in line 2 *d. Code fails at compile time, error in line 5 e. Code fails at execution time, error in line 5 f. " g. " h. " i. " j. " General Feedback: The code will not compile due to the error in line 5: gary's parkCar method takes a parameter of type SportsCar, but fineCar's declared type is Car.  Even though fineCar's actual type is SportsCar, the compiler will not let a variable declared as a superclass of the parameter's type be used in the method. Line 2 has no problems, as having the actual type be a subclass of the declared type is legitimate. 631009 Consider the incomplete code segment below. The segment is supposed to initialize a 4 x 4 matrix as shown in this image: final int SIZE = _________; // line 0 int matrix[][] = new int[SIZE][SIZE]; // line 1 for (int i = 0; i < SIZE; i++) // line 2 { for (int j = 0; j < SIZE; j++) // line 3 { if ( _________________ ) // line 4 { matrix[i][j] = 4; // line 5 } else if ( _______________ ) // line 6 { matrix[i][j] = 1; // line 7 } else { matrix[i][j] = 0; // line 8 } } }   Select statement from the choices below that is the best choice to fill in the blank on line 4 of this code segment so that it behaves as desired. a. i == j - 1 b. i == j c. i == j + 1 *d. Math.abs(i - j) == 1 e. None of these f. " g. " h. " i. " j. " General Feedback: Line 4 controls where the "4" values are placed in the two-dimensional array.  They should be placed at all locations where i and j differ by 1. 634910 Let's call the index at which an element is placed in an otherwise empty hashtable index h. With open addressing, a key-value pair may collide with another and be placed in a different location according to some defined scheme. Where may a key-value pair be placed? *a. anywhere in the array b. at a list stored at index h c. at index h or after d. at index h or before e. f. " g. " h. " i. " General Feedback: With open addressing, some sort of probing algorithm is used to resolve collisions. Probing involves stepping along from the collision index to a subsequent element whose distance is determined by some step size. This probing visits all elements of the array, if need be. 618667 We have defined two JButton in a class and are going to handle the events by implementing ActionListener. As we know, this interface has a method called actionPerformed that we have to override it in our class. What would be the best way (i.e. object oriented approach) to listen to the events regarding both the buttons? a. Override actionPerformed method twice for both the buttons. b. Override actionPerformed method once, get the source of event in this method and then handle the events. c. Create two separate classes, each should implements ActionListener interface. Then register each button with each classes. *d. use inner classes, each implements ActionListener interface. Each button should be registered with one of these inner classes. e. f. " g. " h. " i. " General Feedback: Create two separate classes, each should implements ActionListener interface. Then register each button with each classes. 634919 Grace has written a method to pop from a stack; fill in the pre-condition. struct node* pop(struct node **head) { // pops the stack pointed to by head; does nothing to alter that node // PRE: // POST: head now points to what was the second element of the list struct node* to_pop = *head; *head = (*head)->next; return to_pop; } a. head != NULL *b. *head != NULL c. **head != NULL d. to_pop != NULL e. f. " g. " h. " i. " General Feedback: *head != NULL is the best answer of A-C as it has the closest level of detail to what is used in the code 634980 Which of the following statements about binary search algorithms is FALSE? a. The data must be sorted. b. There must be a mechanism to access elements in the middle of the data structure.  c. Binary search is inefficient when performed on a linked list. *d. Binary search can be implemented to take  (n) time in the worst case. e. f. " g. " h. " i. " General Feedback: Binary search takes  (log n) time, worst case. 634975 Suppose you are using a library implementation of a LinkedList.  You have only the compiled binary version of the code, but not the source code.  You want to know if the runtime complexity of the size() method is O(1).  (i.e. you want to know if the library stores the size, or if it counts each node every time size() is invoked). Which approach(es) would tell you if the size() method is O(1)? a. Insert one element and time how long the size method takes; compare this to how long the size method takes if you had inserted 100 elements. O(1) means they should be about equal. *b. Insert a million elements and time how long the size method takes; compare this to how long the size method takes if you had inserted 10 million elements. O(1) means they should be about equal. c. Insert 10 billion elements and time how long the size method takes; compare this to how long the size method takes if you had inserted 100 billion elements. O(1) means they should be about equal. d. B and C both work e. All 3 will work f. " g. " h. " i. " j. " General Feedback: A won't work because most of what you are timing is the JVM starting up and shutting down.  In fact, just checking the time elapsed may require as many machine instructions as checking the size of a linked list of size 1. C is also unlikely to work.  Suppose each element is a single int, which is 4 bytes (this is a lower-bound on things you can put in a collection). A billion elements is 4 billion bytes. A gigabyte is a little more than a billion bytes, so this likely fills most of your RAM (about 4GB for many laptops and desktops in 2013). 10 billion elements is about 37 GB, which will fill the memory of all but the biggest machines available. You will be timing the garbage collector and memory allocator algorithms, not the size() method. 633287 What is returned by ’A’ < ’A Linkletter’? *a. True b. False c. 'A' d. an error e. none of the above f. " g. " h. " i. " j. " General Feedback: This is a lexicographic (i.e. alphabetic) comparison, but the first String 'A' is a substring of the second String.  We fall back on the "nothing before something" principle, and return True, because when sorting Strings, nothing comes before something.  This is why the word 'a' comes before 'aardvark' in the dictionary, as well as why 'ant' comes before 'anteater' and 'the' comes before 'these' or 'then'. 633252 Growing the array used to implement a heap so that it may hold more elements is a. O(1) b. O(log N) *c. O(N) d. O(N log N) e. O(N2) f. " g. " h. " i. " j. " General Feedback: The order of elements in the array doesn't change any. They only need to be copied over in their original sequence, making this an O(N) operation. 630935 Suppose you are writing software for a helpdesk. Each request is entered into the system as it arrives. Which of the following abstract datatypes would be the best choice to store these requests? Be prepared to justify your answer.  a. A Stack b. A Queue c. An OrderedList *d. A PriorityQueue e. A Dictionary f. " g. " h. " i. " j. " General Feedback: B and D are the two best choices. B allows you to handle the requests in the order received; D allows you the flexibility to override that order when needed, by giving certain requests a higher priority. E is less good because although you could let a priority be the index into the Dictionary, Dictionaries aren't guaranteed to return items of the same priority in the order they were added to the Dictionary. A is wrong, because it would guarantee that the most recent requests are always handled first.  An argument could be made for C  -- elements could be added to the list in order of priority, following any other elements with the same priority. The needed operations will likely be less efficient than they would be with a Queue or PriorityQueue, however.  631885 After the assignment statement    String word = "entropy"; what is returned by    word.substring(2, 4); a. "ntro" b. "nt" c. "trop" *d. "tr" e. an error f. " g. " h. " i. " j. " General Feedback: The Java String method word.substring (2, 4) returns the substring of word starting at the third character (array index 2) and ending with the fourth character (array index 4-1).  633567 You must store a large amount of data, and both searching and inserting new elements must be as fast as possible. What's the simplest data structure that meets your needs? a. Ordered array b. Linked list *c. Hashtable d. Binary search tree e. Self-balancing tree f. " g. " h. " i. " j. " General Feedback: Hashtables provide O(1) insertion and searching, provided collisions aren't too numerous. 632103 Which data structure does java use when evaluates a mathematical expression in a program? a. A tree *b. A binary tree c. A linked list d. An array e. f. " g. " h. " i. " General Feedback: A linked list 633636 Suppose we have a Queue implemented with a circular array. The capacity is 10 and the size is 5. Which are not legal values for front and rear? a. front: 0 rear:  5 *b. front: 5 rear:  9 c. front: 7 rear:  2 d. front: 9 rear:  4 e. all of the above f. " g. " h. " i. " j. " General Feedback: There would only be 4 items in this queue, not 5.  This is easier to illustrate with a picture.  But you can sort of see the pattern by looking at the absolute value of the difference betwen all of the pairings.  B is the only one that differs by 4; the others all differ by 5. 633564 You know exactly how much data you need to store, but there's not much of it. You do need to be able to search the collection quickly. What is the simplest data structure that best suits for your needs? a. Unordered array *b. Ordered array c. Linked list d. Hashtable e. Binary search tree f. " g. " h. " i. " j. " General Feedback: The memory needs are known, making an array a fine choice. Sorted arrays can be searched quickly with binary search. 618650 What would be the output? public class test {     static int testCount;     public test(){         testCount ++;     }     public static void main(String [] Args){         test t1 = new test();         System.out.println(t1.testCount);         test t2 = new test();         System.out.println(t1.testCount + " "+ t2.testCount);         test t3 = new test();         System.out.println(t1.testCount+ " "+ t2.testCount+ " "+ t3.testCount);    } } a. 0 0 0 0 0 0 b. 1 1 1 1 1 1 *c. 1 2 2 3 3 3 d. This is an error. testCount has never been initialized. e. f. " g. " h. " i. " General Feedback: 1 2 2 3 3 3 632113 I have a data control, dtData, and several text boxes which are bound to it. The program user edits some of the text in one of the boxes, but makes a mistake and presses the Cancel button to undo the changes. What code should the Cancel button invoke? a. dtData.Recordset.Update b. dtData.Recordset.Delete *c. dtData.UpdateControls d. dtData.UpdateRecord e. dtData.Clear f. " g. " h. " i. " j. " General Feedback: This method applies the cancel event procedure to restore the display content of the text boxes associated with the Data control without affecting the underlying recordset. 618495 How many active object references and reachable objects will be produced by this code? String first = new String("Dorsa"); String second = new String("Mahsa"); String third = second; second = null; *a. 2 , 2 b. 3, 2 c. 3, 3 d. 2, 3 e. f. " g. " h. " i. " General Feedback: 3, 3 635020 Programs implementing the "Examine All" programming pattern typically run in time: a. O(n2) b. O(n3) *c. O(n) d. O(n!) e. O(n log2 n) f. " g. " h. " i. " j. " General Feedback: Examine all algorithm need, in the worst case, to individually "process" each element or value in the input once.  Hence examine all algorithms exhibit a linear run time.  Examples of examine all algorithms include Find Largest, Count Odd, or, Is Sorted. 633281 Which of the following are not legal Java identifiers? a. fiveGuys b. 5Guys c. five_guys *d. numGuys5 e. five guys f. " g. " h. " i. " j. " General Feedback: E is also illegal. 618971 Which of the following choices will NOT produce the same result as the following condition? if ( mark == 'A' && GPA > 3.5)     System.out.println("First Class"); else if ( mark == 'A' && GPA <= 3.5)     System.out.println("Second Class"); else if ( mark != 'A' && GPA > 3.5)     System.out.println("Third Class"); else if ( mark != 'A' && GPA <= 3.5)     System.out.println("Fourth Class"); *a. if ( mark != 'A' || GPA < 3.5)     System.out.println("First Class"); else if ( mark != 'A' || GPA >= 3.5)     System.out.println("Second Class"); else if ( mark == 'A' || GPA < 3.5)     System.out.println("Third Class"); else if ( mark == 'A' || GPA >= 3.5)     System.out.println("Fourth Class"); b. if ( mark != 'A')     if (GPA > 3.5)         System.out.println("Third Class");     else         System.out.println("Fourth Class");     else if (GPA > 3.5)         System.out.println("First Class");     else         System.out.println("Second Class"); c. if ( GPA > 3.5)      if (mark == 'A')         System.out.println("First Class");     else         System.out.println("Third Class");     else if (mark == 'A')         System.out.println("Second Class");     else         System.out.println("Fourth Class"); d. if ( mark == 'A')      if (GPA > 3.5)         System.out.println("First Class");     else         System.out.println("Second Class");     else if (GPA > 3.5)         System.out.println("Third Class");     else         System.out.println("Fourth Class"); e. f. " g. " h. " i. " General Feedback: if ( GPA > 3.5)      if (mark == 'A')         System.out.println("First Class");     else         System.out.println("Third Class");     else if (mark == 'A')         System.out.println("Second Class");     else         System.out.println("Fourth Class"); 634199 Chengcheng has an array that he would like to sort, and implements the following sorting method in C. Which sorting algorithm is this? (code is adapted from http://en.wikibooks.org/wiki/Algorithm_implementation) void sort_array(int a[], int length) { // sorts the array a[], of length "length" int i, j, value; for(i = 1; i < length; i++) { value = a[i]; for (j = i - 1; j >= 0 && a[j] > value; j--) { a[j + 1] = a[j]; } a[j + 1] = value; } } *a. Insertion Sort b. Selection Sort c. Bubble sort d. Mergesort e. f. " g. " h. " i. " General Feedback: The code is working from one end of the array to the other, sorting as it goes. 618519 Which definition is not allowed? firstLevel first = new firstLevel(); secondLevel second = new secondLevel(); firstLevel third = new secondLevel(); secondLevel fourth = new firstLevel(); a. first b. second c. third *d. fourth e. f. " g. " h. " i. " General Feedback: third 633889 William has the hash function: hash function h(k) = (sum of the digits) % 10. He wants to hash 33, 60, 24, 42 and 6. Which collision resolution method should he chose in his implementation, if he wants to ensure that adding 80 happens in O(1) time? *a. Quadratic probing b. Linear probing c. Rth probing, R = 2 d. e. f. " g. " h. " General Feedback: Both Rth probing (R=2) and linear probing will hash values to the 8 position -- only quadratic probing will leave that position open. 634130 Yuchi and Rui are working on a problem: to create an array whose elements are the sum of the row and column indices. (For example, arr[2][3] = 5, as does arr[3][2].) They’re both working off the same server using the same compiler settings. // Yuchi’s Code #DEFINE N 500 ---- (other code skipped) ---- int arr[N][N]; int i; int j; for(i = 0; i < N; i++) { for(j = 0; j < N; j++) { arr[i][j] = i + j; } } // Rui’s Code #DEFINE N 500 ---- (other code skipped) ---- int arr[N][N]; int i; int j; for(i = 0; i < N; i++) { for(j = 0; j < N; j++) { arr[j][i] = i + j; } }   Whose code will be faster? *a. Yuchi's code b. Rui's code c. The two are identical d. e. f. " g. " h. " General Feedback: Yuchi's code will be slightly faster as C uses row-major order array storage. 635013 The following method, called maxRow(), is intended to take one parameter: a List where the elements are Lists of Integer objects. You can think of this parameter as a matrix--a list of rows, where each row is a list of "cells" (plain integers). The method sums up the integers in each row (each inner list), and returns the index (row number) of the row with the largest row sum. Choose the best choice to fill in the blank on Line 5 so that this method works as intended: public static int maxRow(List> matrix) { int maxVec = -1; // Line 1 int maxSum = Integer.MIN_VALUE; // Line 2 for (int row = 0; row < __________; row++) // Line 3 { int sum = 0; // Line 4 for (int col = 0; col < __________; col++) // Line 5 { sum = sum + __________; // Line 6 } if (___________) // Line 7 { maxSum = __________; // Line 8 maxVec = __________; // Line 9 } } return maxVec; // Line 10 } a. matrix.size() b. matrix[row].size() *c. matrix.get(row).size() d. matrix.get(col).size() e. matrix.get(row).get(col) f. " g. " h. " i. " j. " General Feedback: The blank on line 5 controls the upper limit of the col counter.  It should represent the total number of columns in the current row, which can be retrieved with the expression matrix.get(row).size(). 635042 The scope of a variable in Java is: a. The thing that allows it to see other variables; b. The other variables that it can interact with *c. The part of the program in which it can be used d. One of its instance variables e. None of the above f. " g. " h. " i. " j. " General Feedback: The scope of a variable is the part of the program in which that variable can be referred to by its name.  A private instance variable in a class definition, for example, can only be referred to within that class definition. 633894 What does a binary tree not have in common with a doubly-linked list? *a. A node’s definition has (at least) two pointers defined b. If a node A points to a node B, then B will point to A c. A given node will be pointed to at most one other node d. e. f. " g. " h. " General Feedback: Only the binary tree is hierarchical; only the linked list will have symmetric pointers. 635012 After the following syntactically correct code is executed, where will Karel be standing and which direction will the robot be facing? How many beepers will karel be carrying? There are beepers at (2,2), (2,3), (2,4), (2,5), (2,6). (Note: a beeper at (2,5) means there is a beeper at the intersection of 2nd street and 5th avenue.) def task ():   karel = Robot (2,2,East,0);   while (karel.nextToABeeper()):     karel.turnLeft()     karel.move()     for i in range (2):       karel.turnLeft()     karel.move()     karel.turnLeft()     if (karel.nextToABeeper()):       karel.pickBeeper()       karel.move()   karel.move()   karel.turnOff() *a.  Robot is facing East with five beepers and is located at (2,8) b. Robot is facing East with five beepers and is located at (2,7) c. Robot is facing North with five beepers and is located at (8,2) d. Robot is facing East with one beeper and is located at (2,2) e. Robot is facing North with one beeper and is located at (2,2) f. " g. " h. " i. " j. " General Feedback: There is a final "move" after the loop terminates, moving the robot over one block east (from (2,7) to (2,8)). 635026 public BallPanel extends javax.swing.JPanel { private Ball[] _balls; public BallPanel(){ _balls = new Ball[20]; for (int i=0;i<10;i++) _balls[i] = new Ball(); } ... }   After I have instantiated a BallPanel using the above code, which of the following Java statements would work (if executed in some method of BallPanel)?  Assume Ball has a public getColor() method. a. _balls[20] = new Ball(); *b. _balls[0] = _balls[15]; c. _balls[10].getColor(); d. Both A and C work e. Both B and C work f. " g. " h. " i. " j. " General Feedback: A doesn't work, since the possible range of a 20 element array index is 0 to 19 inclusive. B works, even though _balls[15] was never assigned a value -- its value is set to null when the array is instantiated, and B would set _balls[0] to null C doesn't work: since only _balls[0] to _balls[9] were assigned values, _balls[10]'s value is null, and we cannot call methods on a null instance. So the answer is B. 635016 Which of the following is an equivalent boolean expression for:  NOT(A AND B) a. (NOT A) AND (NOT B) b. A OR B c. (NOT A) AND  B *d. (NOT A) OR (NOT B) e. NOT(A OR B) f. " g. " h. " i. " j. " General Feedback: When applying DeMorgan's law, one distributes the NOT over both operands and then one exchanges AND's for OR's, or OR's for AND's 635021 The following method, called maxRow(), is intended to take one parameter: a List where the elements are Lists of Integer objects. You can think of this parameter as a matrix--a list of rows, where each row is a list of "cells" (plain integers). The method sums up the integers in each row (each inner list), and returns the index (row number) of the row with the largest row sum. Choose the best choice to fill in the blank on Line 6 so that this method works as intended: public static int maxRow(List> matrix) { int maxVec = -1; // Line 1 int maxSum = Integer.MIN_VALUE; // Line 2 for (int row = 0; row < __________; row++) // Line 3 { int sum = 0; // Line 4 for (int col = 0; col < __________; col++) // Line 5 { sum = sum + __________; // Line 6 } if (___________) // Line 7 { maxSum = __________; // Line 8 maxVec = __________; // Line 9 } } return maxVec; // Line 10 } a. maxSum b. matrix[row][col] *c. matrix.get(row).get(col) d. matrix.get(col).size() e. maxVec f. " g. " h. " i. " j. " General Feedback: The loop on Line 5 incrementally accumulates the sum of all entries in the current row, which is held in the local variable sum.  The purpose of Line 6 is to add the current column value to this running sum.  The value of the current cell in the matrix is matrix.get(row).get(col). 635040 The lifetime of a parameter in Java is a. Really long *b. From when its method is called until it returns c. From when you define the method until you quit out of Eclipse d. As long as the program is running e. None of the above f. " g. " h. " i. " j. " General Feedback: The lifetime of a variable is the duration over which it keeps a value unless you change it.   With a parameter, its value is set when you invoke the method, and it retains that value (or what every you subsequently set it to) until you return. 633888 Rohan has the code int len = strlen("Rohan"). What is the value of len? a. 0 *b. 5 c. 6 d. 8 e. f. " g. " h. " i. " General Feedback: While the \0 will be added to the end of the array, it is not included in the length calculation. 635023 Suppose s is an instance of a stack that can store Strings, and I execute the following statements? 1. s.push("Finland"); 2. s.push("is"); 3. s.push("my"); 4. String w = s.peek(); 5. String x = s.pop(); 6. s.push("home"); 7. String y = s.pop(); 8. String z = s.pop();   What is the value of z after executing these statements in order? a. "Finland" *b. "is" c. "my" d. "home" e. None of the above f. " g. " h. " i. " j. " General Feedback: After the three pushes the stack contents (from top) is ["my" "is" "Finland" ...] 4. doesn't change the stack.  the contents of the stack are (after each numbered instruction) 5. ["is" "Finland" ...] 6. ["home" "is" "Finland" ...] 7. ["is" "Finland" ...] 8. sets z to "is", which is popped, leaving the stack as ["Finland" ...] So B is correct. 635038 public class Outer extends SomeClass implements SomeInterface{ ... private class Inner extends AnotherClass { ???? } }   Suppose I define an inner class, as is abstractly illustrated by the code above.  Assuming that I do not shadow anything (by declaring or defining something in the inner class with the same name as something accessible in the outer class), what in the outer class is accessible to the code in the inner class (at ????, e.g.) ? a. All protected methods and protected instance variables of the outer class b. All public methods and public instance variables of the outer class c. All methods and all public instance variables of the outer class *d. All methods and instance variables of the outer class. e. None of the above is true f. " g. " h. " i. " j. " General Feedback: The inner class is within the scope of the outer class, which means that all instance variables and public methods (including methods inherited from the outer class's ancestors). are accessible from the inner class.   Shadowing is a problem, since there is no automatic way to refer to the instance of the outer class. 635036 1. public BallPanel extends javax.swing.Panel { 2. private Ball[] _balls; 3. public BallPanel(int numberOfBalls){ 4. _balls = new Ball[numberOfBalls]; 5. for (int i=0;i<_balls.length;i++) 6. _balls[i] = new Ball(); 7. } 8. }   In the above Java code, what is the value of _balls.length immediately after lines 4 and 6 (respectively)? a. 0, numberOfBalls *b. numberOfBalls, numberOfBalls c. i, numberOfBalls d. 0, numberOfBalls – 1 e. _balls.length is undefined f. " g. " h. " i. " j. " General Feedback: When the array is instantiated in line 4, its length is set (to numberOfBalls).  Lines 5 and 6 set the values of the array elements, but do not change the length of the array. 635031 1. import java.util.ArrayList; 2. public BallPanel extends javax.swing.JPanel { 3. private ArrayList _moreBalls; 4. public BallPanel(int numberOfBalls){ 5. _moreBalls = new ArrayList(); 6. for (int i=0;ifront) return rear-front; return front-rear; c. if (front==0 && front==rear) return 0; if (front>rear) return front-rear; return rear-front; d. if (front>rear) return front-rear; if (front==rear) return 0; return rear-front; e. if (front==rear) return 0; if (front>rear) return front-rear; if (rear>front) return rear-front; f. " g. " h. " i. " j. " General Feedback: B, C, D all work.  E would be correct, but it won't compile since it doesn't return a value on all paths. 635127 Assume that an object of the following class has just been created: public class Unknown { private int x; public Unknown() { x = 17; method1(); method2(5); method3(); System.out.println(x); // Line D } public void method1() { --x; int x = this.x; x++; System.out.println(this.x); // Line A } public void method2(int x) { x++; System.out.println(x); // Line B } public void method3() { --x; int x = 2; x++; System.out.println(x); // Line C } }   What output is produced by Line B when an instance of this class is created? a. 3 b. 5 *c. 6 d. 17 e. 18 f. " g. " h. " i. " j. " General Feedback: Line B prints the value of the parameter called x in method2().  That parameter is given the value 5 when method2() is called from the constructor, and then the parameter itself is incremented on the first line of method2(), so the value printed is 6. 633629 Consider the following implementation of a contains() method for a Queue in Java: public class Queue { private LinkedList list; // Assume correct enqueue(), // dequeue(), size() methods public boolean contains(E e){ for (int i=0; i c) { a = 2; } else { d = a * 2; }   Which of the following code fragments is equivalent to the version above? "Equivalent" means that both fragments would assign the same values to a and d, given the same values for b and c. a. int a = 1; int d = 7; if (b < c) { d = a * 2; } else { a = 2; } *b. int a = 1; int d = 7; if (b <= c) { d = a * 2; } else { a = 2; } c. int a = 1; int d = 7; if (b >= c) { a = 2; } else { d = a * 2; } d. int a = 1; int d = 7; if (b > c) { d = a * 2; } else { a = 2; } e. none are equivalent f. " g. " h. " i. " j. " General Feedback: The opposite condition of (b > c) is (b <= c).  The correct answer has this opposite if test, and the two actions in the branches of the if statement in opposite positions. 633879 Which command will tell gcc to optimize recursion so that any code that has been executed will not be executed again? (e.g. fibo(3) will only be calculated once.) *a. gcc fibonacci.c -03 b. gcc fibonacci.c -o c. gcc fibonacci.c --optimize d. gcc fibonacci.c -g e. f. " g. " h. " i. " General Feedback: Optimization level 3 is what is needed to avoid redundant recursive calls. 633875 Malik is using quicksort. He has the list [3, 4, 5, 1, 0] and will be pivoting around the element 3. After partitioning, what will the list look like? a. [3, 4, 5, 0, 1] *b. [1, 0, 3, 4, 5] c. [3, 1, 0, 4, 5] d. [0, 1, 3, 4, 5] e. f. " g. " h. " i. " General Feedback: In the implementation of quicksort we used in class, all elements before the pivot are moved before the pivot; all elements after the pivot are moved after it. 635079 What output will the following code fragment produce? public void fn() { int grade = 91; int level = -1; if (grade >= 90) if (level <= -2) System.out.println("A-level"); else System.out.println("B-status"); } a. A-level *b. B-status c. "A-level" d. "B-status" e. no output is produced f. " g. " h. " i. " j. " General Feedback: Despite the indentation, no braces appear around the body of either if statement's branch(es). As a result, the else is associated with the second (inner) if. Since the outer if statement's condition is true, but the inner if statement's condition is false, the output is B-status. 633676 Suppose you want to write a Python function that takes a list as a parameter and returns True if there are no instances of 3 immediately followed by a 4, and False otherwise. So this list returns True: [ 3 5 4 ] But this list returns false: [ 1 2 3 4 5 ]. The following code has a bug in it.  Which line contains the bug? def no34(nums): for i in range(len(nums)): #line1 if nums[i]==3 and nums[i+1]==4: #line2 return False #line3 return True #line4 *a. line1 b. line2 c. line3 d. line4 e. f. " g. " h. " i. " General Feedback: This will go over the edge of the list!  Line1 should be: for i in range(len(nums)-1): 633673 Suppose you want to write a Python function that takes a list as a parameter and returns true if there are no instances of 3 immediately followed by a 4, and false otherwise.  So this list returns True:  [ 3 5 4 ]  But this list returns false: [ 1 2 3 4 5 ]. def no34(nums): for i in range(len(nums)-1): if nums[i]==3 and nums[i+1]==4: return False #line1 else: return True #line2 return False #line3   What changes, if any, should be made to make this code correct a. No changes are necessary; it is correct as written b. switch line1 and line2 (i.e return True for line1 and return False for line 2) *c. delete line2 (take the else statement with it) d. switch line1 and line2 (i.e return True for line1 and return False for line 2) and delete line2 (take the else statement with it) e. switch line2 and line3 (i.e return False for line2 and return True for line3) f. " g. " h. " i. " j. " General Feedback: The else clause should be removed.  If we don't see a 3-4, we can't conclude anything about the rest of the list. 635080 Consider this code segment: boolean x = false; boolean y = true; boolean z = true; System.out.println( (!x || y && !z) );   What value is printed? *a. true b. false c. nothing, there is a syntax error d. e. f. " g. " h. " General Feedback: Since x is false, !x is true, forcing the entire expression to be true because of the || operator.  Remember that && has higher precedence than || for grouping. 635111 Determine if Java would evaluate the following boolean expression as true or false, or if there is something (syntactically) wrong with the expression: (!x && !y) && (y && z) a. true *b. false c. syntax error d. e. f. " g. " h. " General Feedback: Consider the value of variable y, which appears in the expression twice.  If y is false, the right subexpression must also be false, so the overall expression will be false, because of the semantics of &&. Alternatively, if y is true, the left subexpression must be false because of its inclusion of !y, which also causes the overall expression to be false.  635112 Consider this code segment: boolean x = false; boolean y = true; boolean z = true; System.out.println( (x && !y || z) );   What value is printed? *a. true b. false c. nothing, there is a syntax error d. e. f. " g. " h. " General Feedback: Although x is false, and !y is also false, making x && !y evaluate to false, the variable z is true, so the overall expression is true because of the || operator.  Remember that || has lower precedence than && in boolean expressions. 635114 Suppose you have an array of seven int values called test containing the following data: Trace the execution of the following code: int x = 0; int y = 0; for (int i = 0; i < test.length; i++) { if (test[i] % 6 == 0) { x++; y += i; } }   What is the value of x when this loop is done? a. 0 b. 3 c. 4 *d. 5 e. 7 f. " g. " h. " i. " j. " General Feedback: The variable x is incremented for each value in the array that is evenly divisible by 6, so the final value of x after the loop is 5. 635129 Assume that an object of the following class has just been created: public class Unknown { private int x; public Unknown() { x = 17; method1(); method2(5); method3(); System.out.println(x); // Line D } public void method1() { --x; int x = this.x; x++; System.out.println(this.x); // Line A } public void method2(int x) { x++; System.out.println(x); // Line B } public void method3() { --x; int x = 2; x++; System.out.println(x); // Line C } }   What output is produced by Line D when an instance of this class is created? a. 2 b. 3 *c. 15 d. 16 e. 17 f. " g. " h. " i. " j. " General Feedback: Line D prints the value of the field called x.  That field is initialized to 17 in the constructor, and then decremented on the first line of method1(), and decremented again on the first line of method3(), so by the time execution reaches the println() method call at the end of the constructor, the value printed is 15. 634421 Dummy question: all block-model tags *a. blah b. blah c. blah d. e. f. " g. " h. " General Feedback: This class has all the block-model tags checked and no others. It should produce a list of all block-model tags with the questions associated with each tag. (Note: the delimiter tags are included in case of errors).  634949 Consider the following partial and incomplete SpellChecker class that uses an ArrayList to hold a reference list of correctly-spelled words: public class SpellChecker { private List dictionary; // spelling storage. // Line 1 // assume a constructor exists that correctly instantiates and // populates the list (i.e. loads the dictionary for the spellchecker) public boolean spelledCorrectly(String word) // Line 2 { for (int counter = 0; counter < __________; counter++) // Line 3 { if (word.equals(__________)) // Line 4 { return true; // Line 5 } } return false; // Line 6 } public void addWord(String word) // Line 7 { if (__________) // check word is NOT already in the dictionary // Line 8 { __________; // add word at end of the dictionary // Line 9 } } // other SpellChecker class methods would follow } Choose the best choice to fill in the blank on line 4 so that the code operates correctly. a. dictionary.find(word) b. dictionary[counter] c. dictionary[word] *d. dictionary.get(counter) e. dictionary.contains(word) f. " g. " h. " i. " j. " General Feedback: The loop in spelledCorrectly() checks each word in the list called dictionary for the specified word, using counter to traverse through all positions in the list.  To retrieve a single word at the given position, use the expression dictionary.get(counter). 634950 The following class definitions illustrates which important object-oriented programming concept? class Animal:     def __init__(self, name): # Constructor of the class         self.name = name     def talk(self): # Abstract method, defined by convention only         raise NotImplementedError("Subclass must implement abstract method") class Cat(Animal):     def talk(self):         return 'Meow!' class Dog(Animal):     def talk(self):         return 'Woof! Woof!' *a. Polymorphism b. Inheritance c. Responsibility driven design d. Tight/strong cohesion and loose coupling e. None of the above. f. " g. " h. " i. " j. " General Feedback: This is the classic example of polymorphism.  Consider the following code: animals = [Cat('Missy'), Dog('Lassie')] for animal in animals:     print(animal.name + ': ' + animal.talk())   # prints the following: # Missy: Meow! # Lassie: Woof! Woof! 634953 Which of the following is the best definition of an algorithm? a. A well-ordered collection of unambiguous and effectively computable operations that when executed produces a result and halts in a reasonably short amount of time. *b. A well-ordered collection of unambiguous and effectively computable operations that when executed produces a result and halts in a finite amount of time. c. A collection of unambiguous and effectively computable operations that when executed produces a result and halts in a finite amount of time. d. A well-ordered collection of unambiguous and effectively computable operations that when executed produces a result. e. A well-ordered collection of unambiguous and effectively computable operations. f. " g. " h. " i. " j. " General Feedback: Option B provides the best definition.  A key component is that in order to be an algorithm, it must eventually halt. 634170 Consider the code: strcpy(str1, "abc"); strcat(str1, "def"); What is the value of str1? a. abc b. def *c. abcdef d. defabc e. f. " g. " h. " i. " General Feedback: def is concatenated onto the end of abc 634169 Gianluca wants to sort the array array, which has a length of length. He writes the following C code to do this. Which sorting algorithm has he implemented? void sort_array(int *array, int length) { int max, i, temp; while(length > 0) { max = 0; for(i = 1; i < length; i++) if(array[i] > array[max]) max = i; temp = array[length-1]; array[length-1] = array[max]; array[max] = temp; length--; } } a. Insertion sort *b. Selection sort c. Bubble sort d. Mergesort e. f. " g. " h. " i. " General Feedback: Students should take note that this code is looking for the max elements over and over again. 634954 The worst-case time complexity of insertion sort is: a. O(1) b. O(n) c. O(n log n) *d. O(n2) e. none of the above f. " g. " h. " i. " j. " General Feedback: Consider the case where the data are in reverse order. You will need to compare element 2 with element 1 and swap them; then compare element 3 with elements 1 and 2, shift elements 1 and 2 over, and insert element 3 in the first position, and so on. Each element will be compared with all of the elements before it, resulting in a total of n(n-1)/2 comparisons.  634957 Bryon has dynamically allocated memory for an array named arr using malloc. Once he’s done using arr in his program, what single line of code should he write to free the block of memory that arr points to? *a. free(arr); b. free(*arr); c. free(&arr); d. dealloc(arr); e. dealloc(*arr); f. " g. " h. " i. " j. " General Feedback: it's free(arr) 634155 Gisele has written a method, tabulate: double tabulate(double (*fun)(double), double x) { return (*fun)(x); }   Write a single line of code that will calltabulate and return sin(1.0). a. tabulate(sin(1.0); *b. tabulate(sin, 1.0); c. tabulate(sin(1.0), 1.0); d. e. f. " g. " h. " General Feedback: Only sin need be provided for the first parameter. 634961 Which of the following makes an appropriate pre-condition for this code? double calculate_percentage(double sum, double n) { // calculates and returns a percentage given a sum and a length (n) // // POST: none return (sum / n) * 100; } a. PRE: sum < 100 *b. PRE: n != 0 c. PRE: sum != NULL and n != NULL d. PRE: none e. f. " g. " h. " i. " General Feedback: Want to avoid the divide by 0 634962 Given the above binary tree rooted at Node A, what is the order of nodes visited by a preorder search? a. A, B, C, D, E, F, G *b. A, B, D, E, C, F, G c. D, B, E, A, F, C, G d. D, E, B, F, G, C, A e. G, F, E, D, C, B, A f. " g. " h. " i. " j. " General Feedback: A preorder search of a tree is:  visit the root, visit the left subtree, visit the right subtree. It procedes as Visit A Visit left subtree:       Visit B (its root)      Visit its left subtree:           Visit D      Visit its right subtree:           Visit E Visit right subtree:     Visit C (its root)     Visit its left subtree:         Visit F     Visit its right subtree:         Visit G The order of nodes visited corresponds to answer B 634150 Junyoung runs the program after compiling with gcc print random number.c -Wall: #include int main() { int x = rand(); printf("%d\n", x); } What is not true about it? a. GCC will give a warning since stdio.h was not included b. GCC will give a warning since main does not return an int *c. It will print a different number every time d. It will only need four bytes of stack space e. f. " g. " h. " i. " General Feedback: Rand was not seeded. 634148 Fill in the incomplete line of code so this recursively prints the contents of the array arr: void print_array(int *arr, int length) { if(length > 0) { printf("%d\n", *arr);       print_array(arr + 1, ____________ ); } } a. print_array(arr + 1, 0); *b. print_array(arr + 1, length - 1); c. print_array(arr + 1, ++length); d. print_array(arr + 1, length); e. f. " g. " h. " i. " General Feedback: Note the base case requires the length to be decreasing. 634964 Consider the following partial and incomplete SpellChecker class that uses an ArrayList to hold a reference list of correctly-spelled words: public class SpellChecker { private List dictionary; // spelling storage. // Line 1 // assume a constructor exists that correctly instantiates and // populates the list (i.e. loads the dictionary for the spellchecker) public boolean spelledCorrectly(String word) // Line 2 { for (int counter = 0; counter < __________; counter++) // Line 3 { if (word.equals(__________)) // Line 4 { return true; // Line 5 } } return false; // Line 6 } public void addWord(String word) // Line 7 { if (__________) // check word is NOT already in the dictionary // Line 8 { __________; // add word at end of the dictionary // Line 9 } } // other SpellChecker class methods would follow } Choose the best choice to fill in the blank on line 9 so that the code operates correctly. a. dictionary.set(word) b. dictionary.put(counter, word) c. dictionary.set(dictionary.length, word) *d. dictionary.add(word) e. dictionary[dictionary.size()] = word f. " g. " h. " i. " j. " General Feedback: Use the add() method to add a new value to the end of a List. 634175 Seray is hashing the values 6, 96, 33, 77 into a hash table of size 10. Which hash function will give her no collisions? a. h(k) = k % 10 b. h(k) = k / 10 *c. h(k) = (k % 10) + (k / 10) d. h(k) = (k % 10) - (k / 10) e. f. " g. " h. " i. " General Feedback: A collides on 9/96; B does not collide; C collides on 6/33; D collides on 33/77. 634177 What does atoi("hello") return? *a. 0 b. -1 c. hello d. e e. f. " g. " h. " i. " General Feedback: it wil be 0 634913 In a hashtable that uses separate chaining to handle collisions, what, if any, restrictions should be placed on the table size? a. Any number is fine, as the linear probing is guaranteed to find an element. *b. Any number is fine, since probing is irrelevant. c. It should be a prime number, to ensure that in probing we will test each node. d. It should be an odd number, to ensure that there's always a middle element. e. f. " g. " h. " i. " General Feedback: With separate chaining, no probing is done. Each entry in the table is a linked list, and all items with the hash index appear in the list. 634915 The Fibonacci sequence is 0, 1, 1, 2, 3, 5, 8, 13 ... Any term (value) of the sequence that follows the first two terms (0 and 1) is equal to the sum of the preceding two terms. Consider the following incomplete method to compute any term of the Fibonacci sequence: public static int fibonacci(int term) { int fib1 = 0; // Line 1 int fib2 = 1; // Line 2 int fibn = 0; // Line 3 if (term == 1) // Line 4 { return fib1; // Line 5 } if (term == 2) // Line 6 { return fib2; // Line 7 } for (__________) // Line 8: loop to the nth term { fibn = __________; // Line 9: compute the next term fib1 = __________; // Line 10: reset the second preceding term fib2 = __________; // Line 11: reset the immediate preceding term } return fibn; // Line 12: return the computed term } Choose the best answer to fill in the blank on line 9. a. fib2 - fib1 b. fib1 + fibn c. fibn + fib2 *d. fib1 + fib2 e. fib2 f. " g. " h. " i. " j. " General Feedback: As described in the first part of the question, each term in the sequence is the sum of the previous two terms, so fibn = fib1 + fib2. 634193 Which of the following is most appropriate as the missing post-condition? void move_north_east(int *x, int *y) { // Moves a robot north-east in our coordinate system // by one step north and one step east // PRE: x != NULL, y != NULL // (*x)++; (*y)++; } a. POST: x != NULL, y != NULL b. POST: x is incremented; y is incremented *c. POST: x’s pointee is incremented; y’s pointee is incremented d. POST: none e. f. " g. " h. " i. " General Feedback: what x to points to is being updated, not x itself 634920 The Fibonacci sequence is 0, 1, 1, 2, 3, 5, 8, 13 ... Any term (value) of the sequence that follows the first two terms (0 and 1) is equal to the sum of the preceding two terms. Consider the following incomplete method to compute any term of the Fibonacci sequence: public static int fibonacci(int term) { int fib1 = 0; // Line 1 int fib2 = 1; // Line 2 int fibn = 0; // Line 3 if (term == 1) // Line 4 { return fib1; // Line 5 } if (term == 2) // Line 6 { return fib2; // Line 7 } for (__________) // Line 8: loop to the nth term { fibn = __________; // Line 9: compute the next term fib1 = __________; // Line 10: reset the second preceding term fib2 = __________; // Line 11: reset the immediate preceding term } return fibn; // Line 12: return the computed term } Choose the best answer to fill in the blank on line 10.   a. fib1 *b. fib2 c. fibn d. fib1 + fib2 e. fibn - fib2 f. " g. " h. " i. " j. " General Feedback: Since each term in the sequence is formed by adding together the previous two terms, the local variables fib1 and fib2 are used to store the previous two terms for recall in computing the next value in the sequence.  After computing the next term in the sequence, the loop moves the value of fib2 into fib1, and the value of fibn into fib2, so that the previous two terms are ready for use in the next loop iteration. 634190 Dhruv has some recursive code that contains the base case if(left > right) Which algorithm is he most likely to be implementing? a. heapsort b. insertion sort *c. quicksort d. Fibonacci e. f. " g. " h. " i. " General Feedback: Only quicksort is usually implemented with such a base case. 634924 The Fibonacci sequence is 0, 1, 1, 2, 3, 5, 8, 13 ... Any term (value) of the sequence that follows the first two terms (0 and 1) is equal to the sum of the preceding two terms. Consider the following incomplete method to compute any term of the Fibonacci sequence: public static int fibonacci(int term) { int fib1 = 0; // Line 1 int fib2 = 1; // Line 2 int fibn = 0; // Line 3 if (term == 1) // Line 4 { return fib1; // Line 5 } if (term == 2) // Line 6 { return fib2; // Line 7 } for (__________) // Line 8: loop to the nth term { fibn = __________; // Line 9: compute the next term fib1 = __________; // Line 10: reset the second preceding term fib2 = __________; // Line 11: reset the immediate preceding term } return fibn; // Line 12: return the computed term } Choose the best answer to fill in the blank on line 11. a. fib1 b. fib2 *c. fibn d. fib1 + fib2 e. fibn - fib1 f. " g. " h. " i. " j. " General Feedback: Since each term in the sequence is formed by adding together the previous two terms, the local variables fib1 and fib2 are used to store the previous two terms for recall in computing the next value in the sequence.  After computing the next term in the sequence, the loop moves the value of fib2 into fib1, and the value of fibn into fib2, so that the previous two terms are ready for use in the next loop iteration. 634926 Polymorphism is used when different classes we are modeling can do the same thing (i.e. respond to the same method calls), and we don't know which class an object will be at compile time. In Java, this can be implemented using either inheritance or interfaces. Choose the best reason below for choosing inheritance polymorphism a. There is no defined interface that works for all of the classes that I want to allow *b. The classes are closely related in the inheritance hierarchy; c. The classes are in the same containment hierarchy d. It is the kind of polymorphism that I understand the best e. f. " g. " h. " i. " General Feedback: If the classes are closely related in the inheritance hierarchy it should be possible to have the shared methods in some common superclass, which is close. 634927 Given the following Java code: if (x >= 0) { System.out.println("1"); } else if (x < 20) { System.out.println("2"); } else { System.out.println("3"); } System.out.println("4");   For what integer values of x will 1 be among the values printed? a. x < 0 *b. x >= 0 c. x >= 20 d. All values of x e. None of the above. f. " g. " h. " i. " j. " General Feedback: The first branch of the conditional statement will print "1" for any x value greater than or equal to 0. 634928 You are looking for a method getSequence(int n, char c) that returns a String of n characters c. Which of the following will not meet your needs? a. String getSequence(int n, char c) { String s = ""; for (int i = 0; i < n; ++i) { s = s + c; } return s; } b. String getSequence(int n, char c) { String s = ""; while (n > 0) { s += c; } return s; } *c. String getSequence(int n, char c) { return n * c; } d. String getSequence(int n, char c) { String s = ""; for (int i = 1; i <= n; ++i) { s += c; } return s; } e. String getSequence(int n, char c) { if (n == 0) { return ""; } else { return c + getSequence(n - 1, c); } } f. " g. " h. " i. " j. " General Feedback: A char multiplied by an int produces an int, not a String. Example C doesn't even compile. 634937 public class RecursiveMath ... public int fib (int a) { if (a < 2) return a; else return fib(a-1) + fib(a-2); } ... }   Given the above definition, what is the result of executing the following? RecursiveMath bill = new RecursiveMath(); int x = bill.fib(-1); *a. x is set to -1 b. x is set to undefined c. The code does not terminate d. The code cannot be executed, because it won't compile e. None of the above f. " g. " h. " i. " j. " General Feedback: Since fib is called with parameter of -1, a gets bound to -1.   Since a < 2, the method returns the value of a, -1. 634941 public class RecursiveMath ... public int fib (int a) { if (a < 2) return a; else return fib(a-1) + fib(a-2); } ... }   What is the base case for fib in the above definition? a. a b. fib(a-1) + fib(a-2); *c. fib(a) for a < 2 d. fib(a) for a â?¥ 2 e. None of the above f. " g. " h. " i. " j. " General Feedback: The base case is the version of the problem that can be solved directly, i.e. without a recursive call. 634942 What is the difference between struct node* linked_list_node = malloc(sizeof(struct node)); linked_list_node->val = 3; linked_list_node->next = NULL;   and: struct node linked_list_node; linked_list_node.val = 3; linked_list_node.next = NULL;   ? a. The first needs more memory than the second *b. The first’s node is stored on the heap; the second’s is stored on the stack c. The second is globally-accessible in the program; the first is locally accessible d. There is no difference e. f. " g. " h. " i. " General Feedback: Dynamic alloc goes on heap; static goes on stack. 634943 Consider the code struct capacitor{ double capacitance; };   If given the variable struct capacitor *cap, which of the following will NOT print the address of cap’s capacitance? a. printf("%p\n", cap ) *b. printf("%p\n", &(cap.capacitance) ) c. printf("%p\n", &((*cap).capacitance) ) d. printf("%p\n", &(cap->capacitance) ) e. f. " g. " h. " i. " General Feedback: C and D are equivalent; A is equivalent to them as capacitance is the first thing stored in the struct. 634965 Consider the following partial and incomplete SpellChecker class that uses an ArrayList to hold a reference list of correctly-spelled words: public class SpellChecker { private List dictionary; // spelling storage. // Line 1 // assume a constructor exists that correctly instantiates and // populates the list (i.e. loads the dictionary for the spellchecker) public boolean spelledCorrectly(String word) // Line 2 { for (int counter = 0; counter < __________; counter++) // Line 3 { if (word.equals(__________)) // Line 4 { return true; // Line 5 } } return false; // Line 6 } public void addWord(String word) // Line 7 { if (__________) // check word is NOT already in the dictionary // Line 8 { __________; // add word at end of the dictionary // Line 9 } } // other SpellChecker class methods would follow } Choose the best choice to fill in the blank on line 3 so that the code operates correctly. *a. dictionary.size() b. dictionary.length() c. dictionary.size d. dictionary.length e. dictionary.get(counter) f. " g. " h. " i. " j. " General Feedback: The loop in spelledCorrectly() checks each word in the list called dictionary for the specified word, so the upper limit on the loop counter should be dictionary.size().  Remember that lists provide a size() method to retrieve the number of entries (the length() method is used for strings, and length as a field access is used for arrays). 634966 Consider the following partial and incomplete SpellChecker class that uses an ArrayList to hold a reference list of correctly-spelled words: public class SpellChecker { private List dictionary; // spelling storage. // Line 1 // assume a constructor exists that correctly instantiates and // populates the list (i.e. loads the dictionary for the spellchecker) public boolean spelledCorrectly(String word) // Line 2 { for (int counter = 0; counter < __________; counter++) // Line 3 { if (word.equals(__________)) // Line 4 { return true; // Line 5 } } return false; // Line 6 } public void addWord(String word) // Line 7 { if (__________) // check word is NOT already in the dictionary // Line 8 { __________; // add word at end of the dictionary // Line 9 } } // other SpellChecker class methods would follow } Choose the best choice to fill in the blank on line 8 so that the code operates correctly. *a. !dictionary.contains(word) b. !dictionary.find(word) c. dictionary[word] == null d. dictionary.get(word) e. !dictionary.get(word) f. " g. " h. " i. " j. " General Feedback: To check whether a given value is present in a List, use the contains() method. 634996 1. public BallPanel extends javax.swing.JPanel { 2. private Ball[] _balls; 3. public BallPanel(int numberOfBalls){ 4. _balls = new Ball[numberOfBalls]; 5. for (int i=0;i<_balls.length;i++) 6. _balls[i] = new Ball(); 7. } 8. public void ballCopy () { 9. Ball[] temp = new Ball[2 * _balls.length]; 10. for (int j=0; j< _balls.length; j++0) 11. _temp[j] = _balls[j]; 12. _balls = temp; 13. } 13. ...   After executing BallPanel myPanel = new BallPanel(10); _myPanel.ballCopy();   Which of the following is true? a. The array _balls is unchanged in myPanel b. The elements of temp are copies of the elements of _balls in myPanel *c. _balls.length == 20 in myPanel d. _balls.length == 10 in myPanel e. None of the above f. " g. " h. " i. " j. " General Feedback: C is true.  When you call ballCopy, it instantiates an array that is twice as large as _balls, which had length 10, then sets _balls to that new array. 634998 Consider the following method and indicate what value is displayed from the initial call statement from another method:            System.out.println(Ackermann(2,3)); public int Ackermann(int n, int m) {      if (n==0)           return (m+1);      else if (m==0)           return (Ackermann(n-1,1));      else            return (Ackermann(n-1,Ackermann(n,m-1))); } a. 4 *b. 9 c. 5 d. 7 e. 29 f. " g. " h. " i. " j. " General Feedback: Ackermann's function is one of the earliest hyper-exponential recursive functions.  The key to obtaining the correct answer is in keeping which parameter is which, straight.  Maybe, rename them as "red" and "blue" (instead of n and m) to reduce confusion. 634999 Which of the following algorithms use a divide-and-conquer strategy? (Circle all that apply.) *a. Merge sort b. Insertion sort c. Binary search d. Linear search e. f. " g. " h. " i. " General Feedback: A and C are correct. 635000 1. public BallPanel extends javax.swing.JPanel { 2. private Ball[] _balls; 3. private Ball[] _moreBalls; 4. public BallPanel(int numberOfBalls){ 5. _balls = new Ball[numberOfBalls]; 6. for (int i=0;i<_balls.length;i++) 7. _balls[i] = new Ball(); 8. _moreBalls = _balls; 9. } 10. public Ball[] getBalls(){ 11. return _balls; 12. } 13. public Ball[] getMoreBalls(){ 14. return _moreBalls; 15. } 16. ...   Which of the following statements is true, after executing the following code (assuming Ball has a constructor that takes a Color argument). BallPanel myPanel = new BallPanel(5); myPanel.getMoreBalls()[0] = new Ball(java.awt.Color.pink);   ? a. The array _balls in myPanel is unchanged b. The array _moreBalls in myPanel is unchanged c. The first element of _moreBalls in myPanel is a new Ball constructed using new Ball(java.awt.Color.pink); and is not the same as the first element of _balls in myPanel; *d. myPanel.getBalls()[0] == myPanel.getMoreBalls()[0] e. The code will not execute because the second line has a syntax error. f. " g. " h. " i. " j. " General Feedback: Because of line 9, both _balls and _moreBalls refer to the same array.  Therefore, if I re-assign an element in one array, the change shows up under the other.  Moreover, since it is really only one array the elements are identical, so == will be true in this case. 635001 Consider the following function. What does it return? public boolean nameTester(String inValue) {     String oldValue = "mikeyg";     return (inValue == oldValue); } a. True, regardless of the value of inValue *b. False, regardless of the value of inValue c. It depends.  If inValue is assigned the value "mikeyg," then True; otherwise False. d. e. f. " g. " h. " General Feedback: The == (equality operator) for objects (strings are objects in Java) returns True when both operands refer to the same object.  In this case, there are two distinct objects, who might contain the same value ("mikeyg"). 634144 Which of the following pairs of statements has two statements that are NOT equivalent? a. &arr[0]; and arr; b. arr[0]; and *arr; c. *(arr + 1); and arr[1]; *d. *(arr + 1); and *(arr) + sizeof(arr[0]); e. f. " g. " h. " i. " General Feedback: *(arr + sizeof) != *(arr) + sizeof 635003 The following method, called maxRow(), is intended to take one parameter: a List where the elements are Lists of Integer objects. You can think of this parameter as a matrix--a list of rows, where each row is a list of "cells" (plain integers). The method sums up the integers in each row (each inner list), and returns the index (row number) of the row with the largest row sum. Choose the best choice to fill in the blank on Line 3 so that this method works as intended: public static int maxRow(List> matrix) { int maxVec = -1; // Line 1 int maxSum = Integer.MIN_VALUE; // Line 2 for (int row = 0; row < __________; row++) // Line 3 { int sum = 0; // Line 4 for (int col = 0; col < __________; col++) // Line 5 { sum = sum + __________; // Line 6 } if (___________) // Line 7 { maxSum = __________; // Line 8 maxVec = __________; // Line 9 } } return maxVec; // Line 10 } *a. matrix.size() b. matrix[0[].size() c. matrix[row][col] d. matrix.length e. maxVec f. " g. " h. " i. " j. " General Feedback: The blank on line three is the upper limit for the row count, controlling how many times the outer loop repeats.  This should correspond to the number of rows in the matrix, or matrix.size(). 635007 Which of the following run-times is NOT characteristic of a feasible (or tractable) algorithm? a. O(n2) b. O(nlog2 n) *c. O(2n) d. O(n3) e. O(log2 n) f. " g. " h. " i. " j. " General Feedback: Feasable (or tractable) algorithms are one whose time is expressed as a polynomial in terms of the input set size n.  O(2n) is exponential in n. 634143 Consider the code int i, *q, *p; p = &i; q = p; *p = 5; Which of the following will print out “The value is 5.”? a. printf("The value is %d", &i); b. printf("The value is %d", p); *c. printf("The value is %d", *q); d. printf("The value is %d", *i); e. f. " g. " h. " i. " General Feedback: q and p are sharing 634140 Consider the code int *p, *q, i; i = 3; q = p; q = &i; printf("The value of p is %d which points to %d.\n", p, *p); Which of the following would you expect the program to print? a. The value of p is 0x3eee198e1e1 which points to 3. b. The value of p is 0 which points to 0. c. The value of p is -29389112111 which points to 3. *d. Segmentation fault e. f. " g. " h. " i. " General Feedback: p was never assigned! While p and q are sharing for a while that does not mean they are the same. 635009 Consider the following predicate (boolean) accessor function: def blockedWithinOneMove(self):   if (not self.frontIsClear()):     return (True)   else:     self.move()     if (not self.frontIsClear()):       return (True)     else:       return (False) What is logically wrong with this predicate accessor function? The error is semantic and not syntactic. a. If the robot is blocked, after moving forward, this function incorrectly returns True. b. If the robot is not blocked, after moving forward, this function incorrectly returns False. c. This function returns True when is should return False, and returns False when it should return True. *d. In some cases, the preconditions do not match the postconditions; i.e. the state has changed. e. The robot moves, but does not change reverse direction. f. " g. " h. " i. " j. " General Feedback: Accessor functions need to guarantee that the program state does not change.  The robot moves forward to check for a wall, but fails to return to its starting location - which is necessary since this is an accessor method. 635010 What value will this code print out on a 64-bit Linux machine with gcc? int main { int key = get_key("zflsbi-k#gk!2*8jc5r:/bb&fc:j\x42\x20\x46\x4e"); printf("%d\n", key); } int get_key(char *bar) {     // PRE: bar is != NULL     // POST: key is a happy number! assert(bar);     int key = 10; char c[28]; memcpy(c, bar, strlen(bar));     assert(key <= INT_MAX && key > INT_MIN); return key; } a. The code will not run; the asserts will trigger b. 10 c. 1109411406 *d. 1313218626 e. 3831759396 f. " g. " h. " i. " j. " General Feedback: There's a stack buffer overflow due to the memcpy, so the method will return 0x4e462042 (Little Endian); in decimal that is 1313218626. 635011 1. import java.util.ArrayList; 2. public BallPanel extends javax.swing.JPanel { 3. private Ball[] _balls; 4. private ArrayList _moreBalls; 5. public BallPanel(){ 6. _balls = new Ball[20]; 7. _moreBalls = new ArrayList(); 8. for (int i=0;i<10;i++) { 9. _balls[i] = new Ball(); 10. _moreBalls.add(_balls[i]); 11. } 12. } 13. ...     After line 11, what are the values of _balls.length and _moreBalls.size() respectively? a. 0, 0 b. 10, 10 c. 20, 20 d. 10, 20 *e. 20, 10 f. " g. " h. " i. " j. " General Feedback: _balls.length is set to 20 when the array is instantiated (in line 6) and is independent of the array contents.  _moreBalls.size() indicates the number of values stored in the ArrayList, which is 10 from the 10 adds in the loop. 634995 Consider this method skeleton for findDigit(): /** * Returns the number of times the digit d occurs in the decimal * representation of n. * @param n The number to consider (must be non-negative). * @param d The digit to look for (must be 0-9). * Returns the number of times d occurs in the printed representation * of n. */ public int findDigit(int n, int d) // Line 1 { int count = 0; // Line 2 if (__________) // Line 3 { __________; // Line 4 } while (n > 0) // Line 5 { if (n % 10 == d) // Line 6 { count++; // Line 7 } return 1; // Line 8 } return count; // Line 9 } Select the best choice to fill in the blank on line 3 in this method to produce the correct behavior. a. d == 0 b. n == 0 *c. n == 0 && d == 0 d. n < d e. n = n - d f. " g. " h. " i. " j. " General Feedback: The blank on line 3 checks a special case where the loop is never needed--when both the n passed in and the digit being search for are both zero, and the result of the method should be 1.  Therefore, the condition should be n == 0 && d == 0. 634993 Consider this method skeleton for findDigit(): /** * Returns the number of times the digit d occurs in the decimal * representation of n. * @param n The number to consider (must be non-negative). * @param d The digit to look for (must be 0-9). * Returns the number of times d occurs in the printed representation * of n. */ public int findDigit(int n, int d) // Line 1 { int count = 0; // Line 2 if (n == 0 && d == 0) // Line 3 { __________; // Line 4 } while (n > 0) // Line 5 { if (n % 10 == d) // Line 6 { count++; // Line 7 } __________; // Line 8 } return count; // Line 9 } Select the best choice to fill in the blank on line 4 in this method to produce the correct behavior. a. return 0; *b. return 1; c. return n; d. return d; e. return count; f. " g. " h. " i. " j. " General Feedback: The test on line 3 checks a special case where the loop is never needed--when both the n passed in and the digit being search for are both zero.  In this situation, the result of the method should be 1. 634967 What algorithm does mystery implement when passed a list of values as its argument? def helper (listOfValues, start):     largestSoFar = listOfValues[start]     largestIndex = start     current = start+1     while (current < len(listOfValues)):         if (listOfValues[current] > largestSoFar):             largestSoFar = listOfValues[current]             largestIndex = current         current = current + 1     return (largestIndex) def mystery (listOfValues):     leftEdge = 0     while (leftEdge < (len(listOfValues)-1)):         biggestPosition = helper (listOfValues, leftEdge)         temp = listOfValues[biggestPosition]         listOfValues[biggestPosition] = listOfValues[leftEdge]         listOfValues[leftEdge] = temp         leftEdge = leftEdge + 1     return (listOfValues) a. List Reverser b. Insertion Sort c. Quicksort *d. Selection Sort e. Bubble Sort f. " g. " h. " i. " j. " General Feedback: Helper is an implementation of Find Largest.  By repeatedly invoking Find Largest, the mystery algorithm implements selection sort 634969 Consider the following interface definition: public interface Mover { public int getX(); public int getY(); public void setLocation(int x, int y); }   Choose the best answer to describe the following implementation of that interface: public class CartoonCharacter implements Mover{ private int x, y; public int getX() {return this.x;} public int getY() {return this.y;} } a. The class correctly implements the Mover interface because it says implements Mover. b. The class does not correctly implement the Mover interface because it includes method bodies for getX and getY. c. The class does not correctly implement the Mover interface because it has instance variables.  *d. The class does not correctly implement the Mover interface because it fails to define the setLocation method.   e. Both B and C.  f. " g. " h. " i. " j. " General Feedback: To implement a Java interface, a class must define all the methods required by the interface (or declare itself abstract). Note: There is no appropriate topic for this question. Suggestion: TopicSimon-Interface-Java.  634974 What does the following Python method do?   Note: lov stands for list of values. def foo (lov):     listSize = len(lov)     current = 1     flag = True     while ((current < listSize) and flag):         if (lov[current] < lov[current-1]):             flag = False         current = current + 1     return (flag) a. Implements the sequential search algorithm. *b. Determines if the input list is sorted in ascending order. c. Implements the selection sort algorithm. d. Determines if the input list is sorted in descended order e. None of the above f. " g. " h. " i. " j. " General Feedback: Flag is set to true and when two adjacent list items are found to be out of place, with respect to a non-decreasing sorted order, flag is set to false. 634977 Consider the following class definition: public class Mystery { private ArrayList myStuff; public Mystery() {    myStuff = new ArrayList (); } public Stuff foo1 (int id) {    int i = 42;    ... code deleted...    return myStuff[i]; } public void foo2 (int id) {    int i = -2;    ... code deleted... } public Stuff foo3 (int id) {    int i = 0;    ... code deleted...    return myStuff[i]; } } // End of class Mystery True or False: "i" should be upgraded to an instance variable. a. True *b. False c. d. e. f. " g. " General Feedback: False.  Instance variables should only be declared for persistent data.  "i" is a local variable which contains no persistent data.  Even though it is used in ALL the class's methods, that is not justification to make it an instance variable. 634981 Consider the following Java implementation of a Stack: public class Stack extends LinkedList{ private int size=0; public int size(){ return size; } public void push(E e){ add(e); size+=1; } public E pop() { size-=1; return removeLast(); } }   What does the following code output? Stack q=new Stack(); q.push(10); q.push(20); q.clear(); // clear() is inherited from LinkedList System.out.println(q.size()); a. 0 *b. 2 c. throws a Runtime exception d. throws a checked exception (i.e. this code won't compile unless the code is surrounded by a try-catch block, or the method it is located inside declares that it throws the exception) e. f. " g. " h. " i. " General Feedback: This is a classic case of using extends improperly.  Remember that inheritance in Java (or any other Object-oriented language) creates an IS-A relationship.  But, a Stack IS NOT a LinkedList, because there are things you can do to a LinkedList that you cannot do to a Stack, such as invoke clear(). Another way to think about this is that inheritance inherits ALL public methods, and allows those methods to be used by the subclass.  For this Stack class, all of those inherited methods, such as clear(), can be called to change the state of the instance, but they don't know to pay attention to the size variable. 634983 The All-Pairs list programming pattern typically runs in time? *a. O(n2) b. O(n) c. O(n log2 n) d. O(1) e. O(2n) f. " g. " h. " i. " j. " General Feedback: The All-Pairs programming pattern typically compares each element in a list to each other element in the list.  Hence the first element is compared against n-1 other values.  The second element is compared against n-2 other values, etc.  Hence one gets a quadratic run time. 634985 C++ uses a. call by name b. call by reference c. call by value d. call by value-return *e. call by value AND call by reference f. " g. " h. " i. " j. " General Feedback: C++ defaults to call by value, but allows for special sytax to force call-reference. 634986 Assume M and N are positive integers.  What does the following code print? int sum=0; for (int j=0; j 0) // Line 5 { if (n % 10 == d) // Line 6 { count++; // Line 7 } __________; // Line 8 } return count; // Line 9 } Select the best choice to fill in the blank on line 8 in this method to produce the correct behavior. a. n = n % 10; b. n = n - d; c. n = n + d; d. n = Integer.toString(n).substring(1); *e. n = n / 10; f. " g. " h. " i. " j. " General Feedback: The loop in this method traverses through the digits in the specified number n from right-to-left--from least significant digit to most significant.  Each iteration of the loop examines the rightmost digit that remains by using the modulo operator. To strip off and remove the least significant digit in n to prepare for the next iteration of the loop, use n = n / 10;.  634992 Consider the following:  When foo is executed, what is printed out? public void foo () {      int x = 42;      int y = 24;      mystery (x, y);      System.out.println (x + "  " + y); } public void mystery (int var1, int var2) {      int temp = var1;       var1 = var2;      var2 = temp; } *a. 42 24 b. 24 42 c. d. e. f. " g. " General Feedback: Java is a pass-by-VALUE language.  Hence mystery, does not accomplish the desired swapping of values. 634131 Yuchi has the following code: #DEFINE N 500 ---- (other code skipped) ---- int arr[N][N]; int i; int j; for(i = 0; i < N; i++) { for(j = 0; j < N; j++) { arr[i][j] = i + j; } }   When he changes N to 500,000, his code crashes. Why? a. There is a memory leak in the code *b. arr is on the stack; it has run out of stack space c. arr is on the heap; it has run out of heap space d. With N that large, there will be at least one integer overflow in the code e. f. " g. " h. " i. " General Feedback: arr is stored on the stack as it was statically allocated; the stack has limited space. 629962 Suppose you have a Java array of ints. What is the worst-case time complexity of retrieving a value from a given location in the array? *a. O(1) b. O(log n) c. O(n) d. O(n log n) e. O(n2) f. " g. " h. " i. " j. " General Feedback: Retrieving a value from an array can be done in constant time.  630968 In Java, what word is used to refer to the current object, or to call one constructor from another in the same class? a. constructor b. new c. null *d. this e. void f. " g. " h. " i. " j. " General Feedback: The reserved word this is used within a method or constructor to refer to the current object, or in the first statement of a constructor to call a different constructor in the same class. 630969 Using the information in the UML diagram above: Suppose the statement   super.carryCargo();  appears in the body of the carryCargo method of OilTanker.  Which method does the statement invoke? a. The carryCargo method defined in OilTanker *b. The carryCargo method defined in Vehicle c. The carryCargo method defined in Truck d. None of the above is true e. f. " g. " h. " i. " General Feedback: super.carryCargo(), when called from a method in OilTanker, resolves the method starting from the superclass, that is, it treats the instance as if its actual type was Truck.  Since there is no carryCargo method defined in Truck, the one used is the one inherited from Vehicle. 630970 Using the information in the UML diagram above, suppose an Oak prepares for winter like a Tree, but it drops its leaves first. What code should replace ??? in the following code? public class Oak extends Tree { ... public void prepareForWinter(){ this.dropLeaves(); ??? } } a. Tree.prepareForWinter(); b. super.this(); *c. super.prepareForWinter(); d. this.absorb(new Water()); e. super(this); f. " g. " h. " i. " j. " General Feedback: To make an Oak prepare for winter "like a tree" after dropping its leaves,  you can simply have Oak invoke Tree's prepareForWinter method. Alternative A would work if prepareForWinter were static, but that is not indicated on this diagram (and would be really odd from a modeling perspective). 630975 Consider the following Java method: public xxx printGreeting() { // 1 System.out.println("Hello!"); // 2 } // 3   The xxx in line 1 is best replaced by: a. double b. float c. int d. String *e. void f. " g. " h. " i. " j. " General Feedback: E is the correct answer, because the method does not return a value.  630980   Using the information in the UML diagram above, suppose russell is a Crow, and lives in an Oak. What answer best describes what can  replace ??? in the following code? public class Crow extends Bird { private Tree _myTree; ... public void battenDown(){ ... _myTree.??? } } a. prepareForWinter();or absorbWater(n); (where n is an int variable or constant) or dropLeaves(); b. prepareForWinter();  or absorbWater(n); (where n is an int variable or constant) c. dropLeaves(); *d. Any public method from Tree or anything above it in the inheritance hierarchy (with appropriate parameters) e. Any public method from Oak or anything above it in the inheritance hierarchy (with appropriate parameters) f. " g. " h. " i. " j. " General Feedback: Since you are invoking a method on a variable whose declared type is Tree, only methods appropriate to Tree can be invoked, that is, those defined in Tree or inherited from an ancestor in the inheritance hierarchy. B gives the methods from Tree that can be invoked, but methods inherited by Tree that can be used as well.  If anything in the inheritance hierarchy had public instance variables, those names could also appear in that line, but it would be bad form to have public instance variables, and wouldn't make any sense without being assigned to something. 630981 Which of the following statements about constructors is NOT true? a. All constructors must have the same name as the class they are in. *b. A constructor’s return type must be declared void. c. A class may have a constructor that takes no parameters. d. A constructor is called when a program creates an object with the new operator. e. A constructor of a subclass can call a constructor of its superclass using the Java reserved word super. f. " g. " h. " i. " j. " General Feedback: In Java, a constructor does not have a return type, unlike a method. 630985 Given the following Boolean expression: (jordan.getGridX() < 100) && (jordan.getGridY() >= 55)  Which of the following is logically equivalent? *a. !((jordan.getGridX() >= 100) || (jordan.getGridY() < 55)) b. ((jordan.getGridX() >= 100) || (jordan.getGridY() < 55)) c. !((jordan.getGridX() > 100) || (jordan.getGridY() <= 55)) d. !((jordan.getGridX() < 100) || (jordan.getGridY() >= 55)) e. none of these f. " g. " h. " i. " j. " General Feedback: This question involves applying De Morgan's Law to factor out logical negation from a Boolean expression to find an equivalent expression. 630988 Consider the following code segment: if (!this.seesNet(LEFT) && this.seesFlower(AHEAD)) { this.hop(); this.pick(); } else { this.turn(RIGHT); }   Which of the following alternative versions is logically equivalent to (produce the same behavior as) the original? a. if (this.seesNet(LEFT) || this.seesFlower(AHEAD)) { this.turn(RIGHT); } else { this.pick(); this.hop(); } b. if (!(this.seesNet(LEFT) && !this.seesFlower(AHEAD))) { this.turn(RIGHT); } else { this.hop(); this.pick(); } *c. if (this.seesNet(LEFT) || !this.seesFlower(AHEAD)) { this.turn(RIGHT); } else { this.hop(); this.pick(); } d. if (this.seesNet(LEFT) && !this.seesFlower(AHEAD)) { this.turn(RIGHT); this.turn(RIGHT); this.turn(RIGHT); } else { this.pick(); this.hop(); } e. f. " g. " h. " i. " General Feedback: The correct alternative has the same actions in both branches of the if statement, but in reversed positions--the true branch has moved to the false branch, and vice versa.  At the same time, the logical condition in the if statement is the opposite of the original condition (by applying De Morgan's Law).  Together, these two conditions produce a behaviorally equivalent block of code. 630989 For any JUnit test class, when is the setUp() method executed? a. Only when explicitly invoked b. Once before all the test methods are executed *c. Each time before a test method is executed d. Only after the test class constructor method is executed e. None of the above f. " g. " h. " i. " j. " General Feedback: The setUp() method is used to set up the same starting conditions for all test methods in a test class.  It is automatically executed before each test method, for every test method in the class. 630995 In the Java language, what is the value of this expression? 8 / 5 + 3.2 a. 3 b. 3.2 *c. 4.2 d. 4.8 e. 6 f. " g. " h. " i. " j. " General Feedback: Because of precedence, the division operator is applied first.  Since it is applied between two int values, the result is also an int, with any fractional part truncated.  The result of the division is therefore 1. Next, the addition is performed, giving the result: 4.2. 631000 Which of the following is not true about an interface in Java? a. Defines a type *b. Must include a constructor c. Must not include method implementations d. A class may implement more than one interface e. None of these f. " g. " h. " i. " j. " General Feedback: Interfaces cannot be instantiated and cannot contain method bodies.  As a result, they may not contain constructors. 630965   The # in the above UML diagram for Truck’s instance variable _weight means that: a. _weight is measured in pounds b. _weight is a private variable *c. _weight is a protected variable d. _weight is a number e. None of the above f. " g. " h. " i. " j. " General Feedback: The # sign is used with as a prefix for protected instance variables (or methods) in a UML class diagram. 630927 Using the information in the UML diagram above, suppose I have a method (defined in some other class not on this diagram) with signature: public void transportPeople(PeopleHauler mobile)  which methods can be used with parameter mobile in this method? a. All of the methods of mobile’s actual class b. Only move() and carryCargo() *c. Only move() and holdPeople(int) d. Only move(), carryCargo(), and holdPeople(int) e. Only move() f. " g. " h. " i. " j. " General Feedback: Only the methods defined in the interface PeopleMover can be used, independent of the actual type -- these are the only methods guaranteed to be present, as all we know about the variable is that it is some class that implements this interface 629963 Suppose you have a sorted list stored in consecutive locations in a Java array. What is the worst-case time complexity of inserting a new element in the list? a. O(1) b. O(log n) *c. O(n) d. O(n log n) e. O(n2) f. " g. " h. " i. " j. " General Feedback: In order to make room for a new element in the array, it may be necessary to shift all the other elements.  Note: There is no skill tag for this type of question. Suggestion: Skill-Analyze-Code 629969 Suppose you have a sorted list of numbers stored in a Java array of ints. What is the worst-case time complexity of searching for a given number in the list using binary search? a. O(1) *b. O(log n) c. O(n) d. O(n log n) e. O(n2) f. " g. " h. " i. " j. " General Feedback: Binary search in a sorted array can be implemented in O(log n) time Note: It is likely that the instructor went over this in class. If so, perhaps it should be tagged as Skill-Pure-Knowledge-Recall. 630264 This sorting algorithm roughly orders elements about a pivot element and then sorts the subarray of elements less than the pivot and the subarray of elements greater than the pivot. a. selection sort b. insertion sort c. bubble sort *d. quick sort e. merge sort f. " g. " h. " i. " j. " General Feedback: Quick sort puts all elements less than the pivot element before the pivot and all elements greater after the pivot. Then it sorts these two halves. 630661 What effect does the statement Option Explicit in the declaration section have on a Visual Basic module? a. The programmer is given the option to save code before the program is run. *b. All variables in the module have to be declared before use. c. Global variables may be declared in the declarations section. d. Procedures in the module may be accessed from other modules in the project. e. Procedures in the module may NOT be accessed from other modules in the project. f. " g. " h. " i. " j. " General Feedback: "When Option Explicit appears in a file, you must explicitly declare all variables using the Dim or ReDim statements. If you attempt to use an undeclared variable name, an error occurs at compile time. Use Option Explicit to avoid incorrectly typing the name of an existing variable or to avoid confusion in code where the scope of the variable is not clear. If you do not use the Option Explicit statement, all undeclared variables are of Object type". Ref http://msdn.microsoft.com/en-us/library/y9341s4f%28v=vs.80%29.aspx 630747 Consider the following class definition. import java.util.Scanner; // 1 public class SillyClass2 { // 2 private int num, totalRed, totalBlack; // 3 public SillyClass2 () { // 4 num = 0; // 5 totalRed = 0; // 6 totalBlack = 0; // 7 this.spinWheel(); // 8 System.out.print("Black: " + totalBlack); // 9 System.out.println(" and red: " + totalRed); // 10 } // 11 public void spinWheel () { // 12 Scanner kbd = new Scanner(System.in); // 13 System.out.println("Enter 1 or 0, -1 to quit."); // 14 num = kbd.nextInt(); // 15 while (num >= 0) { // 16 if (num == 0) // 17 totalRed++; // 18 else if (num == 1) // 19 totalBlack++; // 20 else System.out.println("Try again"); // 21 System.out.println("Enter 1 or 0, -1 to quit)."); // 22 num = kbd.nextInt(); // 23 } // 24 System.out.println("Thanks for playing."); // 25 } // 26 } // 27   If line 1 is omitted, which other line(s) of code will cause compile errors? a. Lines 9, 10 *b. Lines 13, 15, 23 c. Lines 14, 21, 22, 25 d. All of the above e. f. " g. " h. " i. " General Feedback: Importing java.util.Scanner allows us to declare, initialize, and use a Scanner object. It is not needed for println statements.  630778 Consider the following class definition. import java.util.Scanner; // 1 public class SillyClass2 { // 2 private int num, totalRed, totalBlack; // 3 public SillyClass2 () { // 4 num = 0; // 5 totalRed = 0; // 6 totalBlack = 0; // 7 this.spinWheel(); // 8 System.out.print("Black: " + totalBlack); // 9 System.out.println(" and red: " + totalRed); // 10 } // 11 public void spinWheel () { // 12 Scanner kbd = new Scanner(System.in); // 13 System.out.println("Enter 1 or 0, -1 to quit."); // 14 num = kbd.nextInt(); // 15 while (num >= 0) { // 16 if (num == 0) // 17 totalRed++; // 18 else if (num == 1) // 19 totalBlack++; // 20 else System.out.println("Try again"); // 21 System.out.println("Enter 1 or 0, -1 to quit)."); // 22 num = kbd.nextInt(); // 23 } // 24 System.out.println("Thanks for playing."); // 25 } // 26 } // 27   Which sequence of inputs will cause the body of the while loop not to be executed? *a. -1 b. 0    -1 c. 1   -1 d. 0    1    -1 e. 0   1   10   -1 f. " g. " h. " i. " j. " General Feedback: The loop test is num >= 0, so if the first number entered is less than 0, the loop will never be executed. 630784 Consider the following class definition: import java.util.Scanner; // 1 public class SillyClass2 { // 2 private int num, totalRed, totalBlack; // 3 public SillyClass2 () { // 4 num = 0; // 5 totalRed = 0; // 6 totalBlack = 0; // 7 this.spinWheel(); // 8 System.out.print("Black: " + totalBlack); // 9 System.out.println(" and red: " + totalRed); // 10 } // 11 public void spinWheel () { // 12 Scanner kbd = new Scanner(System.in); // 13 System.out.println("Enter 1 or 0, -1 to quit."); // 14 num = kbd.nextInt(); // 15 while (num >= 0) { // 16 if (num == 0) // 17 totalRed++; // 18 else if (num == 1) // 19 totalBlack++; // 20 else System.out.println("Try again"); // 21 System.out.println("Enter 1 or 0, -1 to quit)."); // 22 num = kbd.nextInt(); // 23 } // 24 System.out.println("Thanks for playing."); // 25 } // 26 } // 27   Which sequence of inputs will cause line 18 not to be executed? a. 0   10  -1 *b. 1   10   -1 c. 0   1    -1 d. 1   0   10   -1 e. 10   1   0   -1 f. " g. " h. " i. " j. " General Feedback: Answers A and C are wrong, because the first number entered (0) will cause line 18 to be executed. Answer D is wrong because the first number entered (1) will cause the while loop to be executed, and the second time through the loop, the 0 input will cause line 18 to be executed. Answer E is wrong, because the first input (10) will cause the while loop to be executed, and the third input (0) will cause line 18 to be executed.  630789 Consider the following class definition: import java.util.Scanner; // 1 public class SillyClass2 { // 2 private int num, totalRed, totalBlack; // 3 public SillyClass2 () { // 4 num = 0; // 5 totalRed = 0; // 6 totalBlack = 0; // 7 this.spinWheel(); // 8 System.out.print("Black: " + totalBlack); // 9 System.out.println(" and red: " + totalRed); // 10 } // 11 public void spinWheel () { // 12 Scanner kbd = new Scanner(System.in); // 13 System.out.println("Enter 1 or 0, -1 to quit."); // 14 num = kbd.nextInt(); // 15 while (num >= 0) { // 16 if (num == 0) // 17 totalRed++; // 18 else if (num == 1) // 19 totalBlack++; // 20 else System.out.println("Try again"); // 21 System.out.println("Enter 1 or 0, -1 to quit)."); // 22 num = kbd.nextInt(); // 23 } // 24 System.out.println("Thanks for playing."); // 25 } // 26 } // 27   Which sequence of inputs will cause line 20 not to be executed? *a. 0     0   10    -1 b. 0   1   10   -1 c. 0   10   1   -1 d. 1   1   10   -1 e. 1   10   1   -1 f. " g. " h. " i. " j. " General Feedback: Line A is correct because it is the only answer with no 1 in the sequence of inputs -- an input of 1 is necessary for line 20 to be executed.  630878 What does the following Java code print: int sum=0; for (int j=0; j<3; j++) { for (int i=0; i<4; i++) { sum += 1; } } System.out.println(sum); a. 3 b. 4 c. 6 d. 8 *e. 12 f. " g. " h. " i. " j. " General Feedback: 12 630883 What does the following Java code print? int sum=0; for (int i=1; i<=5; i++) { sum += i; } System.out.println(sum); a. 0 b. 5 c. 10 *d. 15 e. The loop is infinte f. " g. " h. " i. " j. " General Feedback: The loop is infinte 630925 Using the information in the UML diagram above, suppose we execute the following Java statements: OilTanker oily = new Truck(2500); oily.move();   which definition of move will be executed? a. The one defined in Truck b. The one defined in Vehicle c. The one defined in OilTanker d. The one defined in PeopleHauler *e. The code will not work f. " g. " h. " i. " j. " General Feedback: The declared type of an object has to be the same as or more abstract than the actual type.  It would have been ok to say Truck oily = new OilTanker(2500);since Truck is a superclass of OilTanker, but not vice-versa as in the above code, which will not compile. 631010 The simplified UML diagram above shows the relationships among classes Bird, Crow, and Duck that are implemented in Java. Suppose Bird has a fly(Location) method, but we want ducks to fly differently.  What is the best way to do this? a. Define a method duckFly(Location) and use that for Ducks *b. Define a method fly(Location) in Duck c. Put a conditional statement in Bird's  fly(Location) method that checks for whether the object is a Duck (eg if (this instanceof Duck) followed by specialized duck flying code) d. Make fly(Location) an abstract method in Bird and define a fly(Location) method in Duck e. All of the above are equally good answers f. " g. " h. " i. " j. " General Feedback: All of the above answers sort of work, but B is the best -- it allows Duck (and all of Duck's descendents) to have a different fly method without affecting any other classes.   A would require invoking duckFly on Ducks to get the appropriate behavior, and fly would give the wrong behavior if invoked on Ducks.  C would work, although it doesn't use the built-in method resolution capability of Java and would break down pretty fast if other Bird subclasses fly differently. D would require all subclasses of Bird to define their own fly method (and you could no longer instantiate Bird). 631012 Consider the incomplete code segment below. The segment is supposed to initialize a 4 x 4 matrix as shown in this image: final int SIZE = _________; // line 0 int matrix[][] = new int[SIZE][SIZE]; // line 1 for (int i = 0; i < SIZE; i++) // line 2 { for (int j = 0; j < SIZE; j++) // line 3 { if ( _________________ ) // line 4 { matrix[i][j] = 4; // line 5 } else if ( _______________ ) // line 6 { matrix[i][j] = 1; // line 7 } else { matrix[i][j] = 0; // line 8 } } }   Select statement from the choices below that is the best choice to fill in the blank on line 6 of this code segment so that it behaves as desired. a. i == j - 1 *b. i == j c. i == j + 1 d. Math.abs(i - j) == 1 e. None of these f. " g. " h. " i. " j. " General Feedback: The condition on line 6 controls which locations in the array are set to the value 1.  The 1's in the array should appear along the identity diagonal, where i and j have the same value. 631466 Given the code int x = 27; int y = 12;   the value of the expression  x <= y < x + y    is: a. true b. false c. 1 d. 0 *e. an error f. " g. " h. " i. " j. " General Feedback: In Java, addition has a higher precedence than the relational operators. So the first step is to plug in the values and compute the results of the addition. Starting with the original expression x <= y < x + y, this yields  27 <= 12 < 39. Relational operators are evaluated from left to right in Java, so the next step is to evaluate 27 <= 12, which is true. So we now have the expression true < 39, which is invalid.  632003 Which of the following is a list of syntactically legal Java class names? a. R2D2, Chameleon, public b. R2D2, Chameleon, 23skidoo c. r2d2, chameleon, public *d. r2d2, Iguana, _hello e. none of the above f. " g. " h. " i. " j. " General Feedback: To compile, Java class names must start with a letter or an underscore, followed by zero or more letters, numbers, or underscores. In addition, a class name must not be one of the Java reserved words, such as public.  632064 Consider this section of code. int a = 3, b = 4, c = 5; x = a * b <= c The expression contains an arithmetic operator, an assignment operator and a relational operator. Which is which? a. Arithmetic Assignment Relational     =                   *                    <= b. Arithmetic Assignment Relational  *                     <=                  = c. Arithmetic Assignment Relational <=                 *                     = *d. Arithmetic Assignment Relational *                       =                    <= e. Arithmetic Assignment Relational  <=                  =                   * f. " g. " h. " i. " j. " General Feedback: operators are: multiply, assignment and less than or equal 632070 Consider the following short program: #include void f1(void); int a; void main(void) {      int b;      a = b = 1;      f1();      printf("%d %d", a, b); } void f1(void) {      int b = 3;      a = b; } A C program can use the same variable name in a number of places, as shown in this example, but it is always possible to work out to which actual variable a particular instance refers. This is described as a. the rules of assignment b.  block structuring c. the rules of precedence d. the data type of a variable *e. the scope of a variable f. " g. " h. " i. " j. " General Feedback: Scope is the largest region of program text in which a name can potentially be used without qualification to refer to an entity; that is, the largest region in which the name potentially is valid. Broadly speaking, scope is the general context used to differentiate the meanings of entity names. The rules for scope combined with those for name resolution enable the compiler to determine whether a reference to an identifier is legal at a given point in a file. The scope of a declaration and the visibility of an identifier are related but distinct concepts. Scope is the mechanism by which it is possible to limit the visibility of declarations in a program. The visibility of an identifier is the region of program text from which the object associated with the identifier can be legally accessed. Scope can exceed visibility, but visibility cannot exceed scope. Scope exceeds visibility when a duplicate identifier is used in an inner declarative region, thereby hiding the object declared in the outer declarative region. The original identifier cannot be used to access the first object until the scope of the duplicate identifier (the lifetime of the second object) has ended. Source http://publib.boulder.ibm.com/infocenter/lnxpcomp/v8v101/index.jsp?topic=%2Fcom.ibm.xlcpp8l.doc%2Flanguage%2Fref%2Fzexscope_c.htm 632071 What is the correct way to declare pFile as a file pointer? *a.  FILE *pFile; b. FILE pFile*; c. *FILE pFile; d. *pFile FILE; e. pFile *FILE; f. " g. " h. " i. " j. " General Feedback: FILE * For C File I/O you need to use a FILE pointer, which will let the program keep track of the file being accessed. (You can think of it as the memory address of the file or the location of the file). Source http://www.cprogramming.com/tutorial/cfileio.html For other examples also refer http://stackoverflow.com/questions/589389/what-is-the-correct-way-to-declare-and-use-a-file-pointer-in-c-c 632074 What will be displayed by static char szName[] = "Peter"; printf("%d", strcmp("Peter", szName)); a. A negative number such as -1 *b. 0 c.  A positive number such as 1 d.  5 e. Nothing - it gives a syntax error and will not compile. f. " g. " h. " i. " j. " General Feedback: DescriptionThe C library function int strcmp(const char *str1, const char *str2) compares the string pointed to by str1 to the string pointed to by str2. DeclarationFollowing is the declaration for strcmp() function. int strcmp(constchar*str1,constchar*str2)Parametersstr1 -- This is the first string to be compared. str2 -- This is the second string to be compared. Return ValueThis function returned values are as follows: if Return value if < 0 then it indicates str1 is less than str2 if Return value if > 0 then it indicates str2 is less than str1 if Return value if = 0 then it indicates str1 is equal to str2 As the strings "Peter" are equal in this instance the value returned is 0 source: http://www.tutorialspoint.com/c_standard_library/c_function_strcmp.htm 632077 Consider the following short program, which does not meet all institutional coding standards: void vCodeString(char szText[ ]); /* First line */ #include #include #define MAX_LEN 12 int main(void) {      char szData[MAX_LEN];      printf("Enter some text to code: ");      scanf("%s", szData);      vCodeString(szData); /* Line 8 */      printf("Coded string is %s\n", szData); } void vCodeString(char szText[ ]) {      int i = -1;      while(szText[++i])      {           szText[i] += (char)2;      } } Knowing that scanf does not read beyond a space in the input, I try the routine by typing in Hello there when it asks me for some text. What is output after "Coded string is “? a. Nothing b. Hello c. Hello there d. Jgnnq vjgtg *e. Jgnnq f. " g. " h. " i. " j. " General Feedback: The vCodeString function converts the input by incrementing the next two alphabetical letters for each character passed to it from the szData array containing the the "hello" substring after which the scanf function had haled on meeting the delimiting space character 632079 Consider the following short program, which does not meet all institutional coding standards: void vCodeString(char szText[ ]); /* First line */ #include #include #define MAX_LEN 12 int main(void) {      char szData[MAX_LEN];      printf("Enter some text to code: ");     scanf("%s", szData);     vCodeString(szData); /* Line 8 */      printf("Coded string is %s\n", szData); } void vCodeString(char szText[ ]) {      int i = -1;      while(szText[++i])      {             szText[i] += (char)2;      } } Why is there no address operator (&) before szData in the scanf line?: a. Parameters are passed to scanf by value, not by reference. b. scanf takes only inward parameters so does not need the & *c. szData is the address of the array. d. szData is an array so it does not have an address. e. Variables of type char cannot use the address operator. f. " g. " h. " i. " j. " General Feedback: On declaration of a variable a space in memory is reserved for its storage.  Here szData is an array of type char which has already been defined in the program and a memory location has been allocated to it 632080 Consider the following short program, which does not meet all institutional coding standards: void vCodeString(char szText[ ]); /* First line */ #include #include #define MAX_LEN 12 int main(void) {      char szData[MAX_LEN];      printf("Enter some text to code: ");      scanf("%s", szData);      vCodeString(szData); /* Line 8 */      printf("Coded string is %s\n", szData); } void vCodeString(char szText[ ]) {      int i = -1;      while(szText[++i])      {               szText[i] += (char)2;      } } The first line is: a. an array declaration b. a macro definition c. a function call d. a function definition *e.  a function prototype f. " g. " h. " i. " j. " General Feedback: A function prototype or function interface in C, Perl, PHP or C++ is a declaration of a function that omits the function body but does specify the function's return type, name, arity and argument types. While a function definition specifies what a function does, a function prototype can be thought of as specifying its interface. [Source "Function prototype" Wikipedia]. Note the function is called from Main at line 8 and defined at line 11. 632085 What will be printed by this code?       public static void main(String [] args){             int number = 6;             int secondNumber = changeNumber (number);             System.out.print(number + " " + secondNumber);       }       public static int changeNumber(int number){             number = 12;             return number;       } a. 6  6 *b. 6  12 c. 12  6 d. 12  12 e. f. " g. " h. " i. " General Feedback: 12  6 632091 What will be written in the gaps from top to bottom and left to right respectively to create a correct program. public static void main(String [] args){         double n1 = 1.5;         double n2 = 2;         ........ returnValue = compute ( n1 , n2);         System.out.print(returnValue); } public static ....... compute (...... a , ...... b){          return (int) (a+b); } *a. int int double double b. double int double double c. int int double int d. double int double int e. f. " g. " h. " i. " General Feedback: int int double int 632092 "The value when iVal is divided by 10" would be coded as: a. iVal % 10 b.  iVal & 10 c.  iVal == 10 *d.  iVal / 10 e. iVal | 10 f. " g. " h. " i. " j. " General Feedback: Expresses the value of a variable using the division operator and the divisor (here 10) 631999 Which of the following assertions about methods is correct? a. The body of a method must contain at least one return statement. b. A method must return a value. c. A method invocation must contain at least one argument. *d. A method with no return statement must not be invoked on the right side of an assignment statement. e. None of the above. f. " g. " h. " i. " j. " General Feedback: (a) and (b) are true of functions, but not of Java methods in general. (c) is incorrect. Methods in general and functions specifically can be written with or without parameters. (d) is correct: methods without a return statement can't be on the right-hand side of an assignment statement, because they don't have a value. And if (d) is correct, (e) must be wrong.  631950 Given the input "Click & Clack", what is the output of line 16 of the following Java code? System.out.println("Enter a string: "); String input = kbd.nextLine(); String a = ""; String letter = ""; int d = 0; int r = 1; String englishAlphabet = "abcdefghijklmnopqrstuvwxyz"; for (int i = 0; i < englishAlphabet.length(); i++) { letter = englishAlphabet.substring(i,i+1); if (input.contains(letter)){ a = letter + a; } else { d++; } } System.out.println("String a is: " + a); //line 16 System.out.println("int d is: " + d); // line 17 a. ClickClack b. kcalkcil c. acikl *d. lkica e. None of the above. f. " g. " h. " i. " j. " General Feedback: This code checks all the letters in the lower-case alphabet to see which ones appear in the input, and concatenates them into a string where each letter appears once, in reverse alphabetical order. The resulting string is output in line 16. 631539 What should be done to initialize counter to one in main method?   class C {       private int counter; } public class F {       public static void main(String arg[]){       } } a. c.counter = 1; b. C c = new C(); c.counter = 1; *c. C. add the following to C: public void setCounter( int c){       counter = c; } Add the following to F: C c = new C(); c.setCounter(1); d. Change the definition of counter as follow: private int counter = 1; e. f. " g. " h. " i. " General Feedback: Change the definition of counter as follow: private int counter = 1; 631874 Given the code: if (x >= 0) System.out.println("1"); else if (x < 20) System.out.println("2"); else System.out.println("3"); System.out.println("4");   for what integer values of x will 3 be among the values printed? a. x < 0 b. x >= 0 c. x < 20 d. All values of x *e. None of the above. f. " g. " h. " i. " j. " General Feedback: The if-condition is true for all values of x >= 0; the if-else condition is true for all values of x < 0. So that doesn't leave any possible values for the else-clause. 631875 Given the code: if (x >= 0) System.out.println("1"); else if (x < 20) System.out.println("2"); else System.out.println("3"); System.out.println("4");   for what integer values of x will 4 be among the values printed? a. x < 0 b. x >= 0 c. x >= 20 *d. All values of x e. None of the above. f. " g. " h. " i. " j. " General Feedback: The final println statement is outside the conditional, so it is printed whatever the value of x is.  631876 After the assignments a = true and b = true, what is returned by (! a || b) && (a || ! b) ? *a. true b. false c.  1 d. 0 e. An error. f. " g. " h. " i. " j. " General Feedback: Substituting the assigned values for a and b (both true)  into the original expression    (! a || b) && (a || ! b) we get    (! true || true) && (true || ! true) In Java, evaluating what's inside the parentheses has higher precedence than any of the other operators here. Inside the parentheses, logical not (!) takes precedence over logical or (||). Evaluating the not's first, we get    (false || true)  && (true || false)  Next, evaluate the or's, and we get:    true && true which gives us    true 631877 What is the value of the expression "J R R Tolkien".compareTo("J K Rowling") < 0 a. True *b. False c. "J R R Tolkien" d. An error. e. None of the above. f. " g. " h. " i. " j. " General Feedback: The compareTo method when called on a String object with a String parameter, returns true if the first String is before the second in alphabetical order. Otherwise it returns false.  631878 The simplified UML diagram above shows the relationships among classes Bird, Crow, and Duck. Suppose Russell is an instance of Crow and Howard is an instance of Duck. Which of the following is incorrect? a. Howard is an instance of Bird *b. Crow is an instance of Bird c. Russell has the capabilities and attributes of a Bird d. Bird is the superclass of Duck e. All Bird attributes are shared by Russell and Howard f. " g. " h. " i. " j. " General Feedback: A useful way to look at classes and instances is to use sets: a class describes a set of instances that share the same attributes and capabilities, and instantiating from a set produces a member of that set.  From this perspective, a class's superclass is a superset of that class, defined by attributes and capabilities that are subsets of those of the class.  So: all instances of a class are instances of all of its class's ancestors, and all instances of a class share the attributes and capabilities of that class.  So all but B are correct; B is incorrect because Crow is not an instance. 631879 What is the value of the expression "J".compareTo("J K Rowling") < 0 *a. true b. false c. "J" d. an error e. none of the above f. " g. " h. " i. " j. " General Feedback: The compareTo method when called on a String object with a String parameter, returns true if the first String is before the second in alphabetical order. Otherwise it returns false. 631880 The simplified UML diagram above shows the relationships among Java classes Bird, Crow, and Duck. Suppose Russell is an instance of Crow and Howard is an instance of Duck. Which of the following is not necessarily true? *a. Howard and Russell have different capabilities b. Crows and Ducks inherit from Birds c. Crow is a subclass of Bird d. Bird is a superclass of Duck e. Bird is more general than Duck f. " g. " h. " i. " j. " General Feedback: Howard and Russell are instances of different classes  (Duck and Crow), each of which is a subclass of Bird.  If neither Crow nor Duck define any methods, then Howard and Russell will have the same methods (i.e. capabilities) as Bird. 631929 After the assignment statement    String word = "entropy"; what is returned by    word.substring(2); ? a. "en" *b. "tropy" c. "entropy" d. An error e. None of the above f. " g. " h. " i. " j. " General Feedback: word.substring(n) returns the substring of word that starts at index n and ends at the end of the String. 631931 After the assignment statement    String word = "entropy"; what is returned by    word.substring(-1); a. "e" b. "entropy" c. the empty String *d. an error e. none of the above f. " g. " h. " i. " j. " General Feedback: When this code is executed, it throws a StringIndexOutOfBounds exception.  631949 Given the input "Click & Clack", what is the output of line 17 of the following Java code? System.out.println("Enter a string: "); String input = kbd.nextLine(); String a = ""; String letter = ""; int d = 0; int r = 1; String englishAlphabet = "abcdefghijklmnopqrstuvwxyz"; for (int i = 0; i < englishAlphabet.length(); i++) { letter = englishAlphabet.substring(i,i+1); if (input.contains(letter)){ a = letter + a; } else { d++; } } System.out.println("String a is: " + a); //line 16 System.out.println("int d is: " + d); // line 17 a. 16 b. 18 *c. 21 d. 22 e. None of the above. f. " g. " h. " i. " j. " General Feedback: d contains a count of the number of lower-case letters that do *not* appear in the input string. Since there are 5 letters that do appear, the answer is 26-5 or 21.  632093 Fill in the gap to create a correct program. public static void main(String [] args){         final int firstDim = 2;         final int secondDim = 3;         read(firstDim, secondDim); } public static __________ read (int dim1, int dim2){         int [][] array = new int[dim1][dim2];         Scanner sc = new Scanner(System.in);         for (int i = 0; i < dim1; i++)                  for (int j = 0; j < dim2; j++)                          array[i][j] = sc.nextInt();        return array; } a. void b. int c. int [] *d. int[][] e. f. " g. " h. " i. " General Feedback: int [] 629957 Suppose you have a Java array of ints. Which of the following operations can be performed in constant (O(1)) time? (Circle all correct answers.) a.  Insert a number at a given position. *b. Retrieve a number from a given position c. Print out the numbers in the array d. Compute the sum of all the numbers in the array e. Sort the numbers in the array f. " g. " h. " i. " j. " General Feedback: Note: Only one answer can be marked as correct here, but both A and B are correct. Note 2: We need a new tag  SkillAnalyze-Code for this kind of thing. C is incorrect because printing out all the numbers takes O(n) time. D is incorrect because computing the sum of the numbers also takes O(n) time. E is incorrect because while hashtables come close on average, in the worst case, sorting is not O(1). A is correct (assuming you don't have to move any of the numbers that are already in the array). B is correct. 617596 Which response best explains in plain English what this segment of code does? int a = 10; int b = 8; int c = 0; c = (a + b)/2 a. Calculates half the sum of two numbers *b. Calculates the average of two numbers c. Swaps the values of a and b d. demonstrates the use of the assignment statement e. Converts an integer value to double f. " g. " h. " i. " j. " General Feedback: Converts an integer value to double 618574 What is wrong with this code? interface A{         abstract double aMethod(); } interface B{           abstract int aMethod(); } class testInterface implements A, B{ } a. A class cannot implement more than one interface. *b. Both the interfaces have a method with the same name and different return type. c. Methods defined in an interface should not be abstract. d. aMethod should be overridden in testInterface class. e. f. " g. " h. " i. " General Feedback: Methods defined in an interface should not be abstract. 618576 Which one of the options cannot be a choice to override the aMethod in class testInterface? interface A{           abstract Object aMethod(); } interface B{          abstract Object aMethod(); } class testInterface implements A, B{ } a. public String aMethod(){ return "";} b. public Object aMethod(){ return null;} c. public Double aMethod(){ return 0.0;} *d. public int aMethod(){ return 0;} e. f. " g. " h. " i. " General Feedback: public Double aMethod(){ return 0.0;} 618578 What would be the most effective way of adding useGun() method to this structure. Note: useGun() can only be used for any type of fighters.   a. Add useGun() to GameActors class. b. Add useGun() to GameActors class and make this class abstract. c. Add useGun() to both GoodFighters and BadFighters class. *d. Define an interface and add useGun() to this interface and let fighters to implement the interface. e. f. " g. " h. " i. " General Feedback: Add useGun() to both GoodFighters and BadFighters class. 618579 Which statement produces a compilation error? a. class A extends M implements I {// code was removed} class B extends N implements I {// code was removed} b. class A extends M implements I, L, J {// code was removed} *c. class A extends M, N implements I {// code was removed} d. class A extends M implements I {// code was removed} e. f. " g. " h. " i. " General Feedback: class A extends M, N implements I {// code was removed} 618585 Which of the following choices cannot be another constructor for academic class? class personnel{       String name, ID;       char qualificationCode;       public personnel(String n, String i, char q){            name = n;           >            qualificationCode = q;       }       public personnel (){            name = null;           >            qualificationCode = ' ';       } } class academic extends personnel{              int teachingHours;             public academic(String n, String i, char q, int t){                   super(n,i,q);                   teachingHours = t;             }             public academic(int t){                  super(null, null, ' ');                   teachingHours = t;            } } *a. public academic(){         super(null, null, ' ');          this (0); } b. public academic(){            this (null, null, ' ', 0); } c. public academic(){           name = null;          >          qualificationCode = ' ';          teachingHours = 0; } d. public academic(){        super(null, null, ' ');        teachingHours = 0; } e. f. " g. " h. " i. " General Feedback: public academic(){           name = null;          >          qualificationCode = ' ';          teachingHours = 0; } 618592 Where in this code a compiler error is reported and why? 1  class pen{ 2         char colorCode; 3  } 4  public class penCounter { 5         public static void main(String[] arg){ 6                    int numberOfPen; 7                    pen myPen = new pen(); 8                   System.out.println(myPen.colorCode + numberOfPen); 9         } 10} *a. line 8, numberOfPen has not been initialized. b. line 8, colorCode has not been initialized. c. line 6, numberOfPen has not been initialized. d. line 2, colorCode has not been initialized. e. f. " g. " h. " i. " General Feedback: line 6, numberOfPen has not been initialized. 618596 What will be the outputted? class A{      int firstMethod(int input){      return input*2;      } } class B extends A{      int firstMethod(int input){      super.firstMethod(input);      return input*2;     } } class C extends B{     int firstMethod(int input){     return super.firstMethod(input)* 2;     } } public class test {     public static void main(String[] arg){         C myObject = new C();         System.out.println(myObject.firstMethod(2));    } } a. 4 *b. 8 c. 16 d. 32 e. f. " g. " h. " i. " General Feedback: 16 618600 What will be outputted? class A{       int firstMethod(int input){            return input+2;      } } class B extends A{ } class C extends B{      int firstMethod(int input){           return input-2;      } } public class test {      public static void main(String[] arg){           B myObject = new B();           System.out.println(myObject.firstMethod(2));      } } a. 0 b. 2 *c. 4 d. Compiler Error e. f. " g. " h. " i. " General Feedback: 4 618601 Which sentence is NOT correct? *a. If a class has no constructor, it cannot be extended. b. If a class has only private constructors, it cannot be extended. c. If a class is final, it cannot be extended. d. If a class is public, it is extendable anywhere. e. f. " g. " h. " i. " General Feedback: If a class is final, it cannot be extended. 618604 Which part of the following code will produce a compiler error if we know class cat extends a class called animal and both of the classes have a method called makeNoise and class cat has a method called showFood. 1     animal mydog = new animal(); 2     mydog.makeNoise(); 3     animal mycat = new cat(); 4     mycat.makeNoise(); 5     mycat.showFood(); a. line 3, new cat should be changed to new animal. b. line 3, animal should be changed to cat. c. line 4, makeNoise has not been recognized by mycat *d. line 5, showFood has not been recognized by mycat e. f. " g. " h. " i. " General Feedback: line 4, makeNoise has not been recognized by mycat 618606 Which on these four following definitions is not allowed? abstract class first{         void firstMethod(){} } abstract class second{          abstract void secondMethod(); } class third {         abstract void thirdMethod(); } class fourth{         void fourthMethod(){} } a. first b. second *c. third d. fourth e. f. " g. " h. " i. " General Feedback: third 618572 Which option is NOT an alternative solution for the bug that exists in this code? class shape{         float area;         public shape( float a){               area = a;         } } class square extends shape{          float side;          public square (float s){                    side = s;         } } a. square constructor should call a super constructor explicitly. b. Class shape must have a null constructor. *c. class square should have a null constructor. d. shape constructor should be removed. e. f. " g. " h. " i. " General Feedback: class square should have a null constructor. 618568 Considering the following code, which of the choices are wrong when access to ID is desired? class N{         private int ID;         public void setID(int id){                   >         }         public int getID(){                   return ID;         } } a. if we had the following in class N N n = new N(); System.out.print(n.ID); *b. If we had the following in another class but the same package as N N n = new N(); System.out.print(n.ID); c. If we had the following in class N System.out.print(ID); d. If we had the following in another class but the same package as N N n = new N(); System.out.print(n.getID()); e. f. " g. " h. " i. " General Feedback: If we had the following in class N System.out.print(ID); 617785 What will be printed? class A{         protected void A_Method(){         System.out.println ("This is the first A_Method");         } } class B extends A{          protected void A_Method(){          System.out.print ("This is the second A_Method");          } } class C extends B{          protected void A_Method(){          System.out.print ("This is the third A_Method");          } } public class test {         public static void main(String[] args){         A [] objects = new A[3];         objects[0]= new A();         objects[1]= new B();         objects[2]= new C();         objects[1].A_Method();        } } a. This is the first A_Method *b. This is the second A_Method c. This is the third A_Method d. Nothing, this is an error. e. f. " g. " h. " i. " General Feedback: Nothing, this is an error. 618479 What is wrong with this code? final class A{ } class B extends A{ } a. Class B is not public. b. Class A is not public. *c. A final class cannot be extended. d. There are no instance variables and methods defined for these classes. e. f. " g. " h. " i. " General Feedback: A final class cannot be extended. 618496 How many object references will be created after initializing the following array? String [][] names = new String [3][2]; a. 3 b. 2 c. 6 *d. 7 e. f. " g. " h. " i. " General Feedback: 6 618502 What would be outputted? String s_1 = "Hello"; String s_2 = "World"; System.out.format("%-7S %7s", s_1,s_2); a. Hello         World *b. HELLO        World c.      Hello World d.      HELLO World e. f. " g. " h. " i. " General Feedback:      Hello World 618506 How many times the capacity of the vector in following code changes? Vector intVect = new Vector(10,2); for (int i = 0; i <40; i++)      intVect.add(i); a. 2 b. 5 *c. 15 d. 30 e. f. " g. " h. " i. " General Feedback: 15 618507 In a program 5 objects are created initially and inserted into a vector. These objects increase to 64 during the execution of the program. Each time 8 objects is added to the vector except the last time in which 3 objects is added. Which of the following definition results in better performance in terms of execution time and allocated space at the end? a. Vector objectVect = new Vector(5,8); *b. Vector objectVect = new Vector(8); c. Vector objectVect = new Vector(8,5); d. Vector objectVect = new Vector(5); e. f. " g. " h. " i. " General Feedback: Vector objectVect = new Vector(8,5); 618517 Which of the following variables are object references? public class firstClass {          double[] doubleArray = {2.3, 3.4};          public static void main(String[] args) {                int width = 250;               Color col = new Color(88,34,200);          } } *a. doubleArray, col b. width, doubleArray c. col, width d. col, width, doubleArray e. f. " g. " h. " i. " General Feedback: col, width 618543 What change should be made to correct the code? String returnValue = ""; try {          BufferedReader d = new BufferedReader(new InputStreamReader(System.in));          String userInput = new String(d.readLine());          returnValue = userInput; } a. Need to insert finally. b. Need to insert catch. *c. Need to insert finally or catch. d. Need to remove try. e. f. " g. " h. " i. " General Feedback: Need to insert finally or catch. 618549 What would you put in the blank areas to let the following code read some integer data from console? Scanner sc = new Scanner(_______________); int intValue ; while ((intValue = _______________)!= -1)           System.out.println(intValue); *a. System.in , sc.nextInt() b. nothing, leave it blank , sc.nextInt() c. nothing, leave it blank , sc.hasNextInt() d. System.in , sc.hasNextInt() e. f. " g. " h. " i. " General Feedback: nothing, leave it blank , sc.hasNextInt() 618554 What will be printed by the following code if in.txt includes two sentences which have been inserted in two separate lines? try {           inputStream = new FileReader("in.txt");           int c;           while ((c = inputStream.read()) != -1)                  System.out.println((char)c); } finally {          if (inputStream != null)                  inputStream.close(); } a. A sequence of integers that represents the unicode of characters that form the text. *b. A sequence of characters that form the text. c. The first line in in.txt. d. The whole text in in.txt. e. f. " g. " h. " i. " General Feedback: The first line in in.txt. 618558 What will be outputted? String input = "Home               is                             where the heart is"; Scanner sc_input = new Scanner(input).useDelimiter("\\s*is\\s*"); while (sc_input.hasNext())             System.out.println(sc_input.next()); a. Home is where the heart is b. Home is Where the heart is c. Home where the heart *d. Home where the heart e. f. " g. " h. " i. " General Feedback: Home where the heart 618612 What will be the output? class Pen{        float hight;        public Pen(){            hight = 0;        }        public Pen ( float h){            hight = h;        } } class Pencil extends Pen{       String type;       public Pencil(){            type = null;      }      public Pencil (String t){            type = t;      } } public class test {       public static void main(String[] arg){               Pen mypen = new Pen(10);              System.out.print(mypen.hight+ " ");              Pencil mypencil = new Pencil("HB");              System.out.println(mypencil.hight + " "+ mypencil.type);       } } *a. 10.0 0.0 HB b. 10.0 10.0 HB c. A compiler error d. A runtime error e. f. " g. " h. " i. " General Feedback: A compiler error 618617 What will be the output? class Pen{          float hight;         public Pen ( float h){               hight = h;        } } class Pencil extends Pen{        String type;        public Pencil(){             type = null;        }       public Pencil (String t){            type = t;      } } public class test {       public static void main(String[] arg){            Pen mypen = new Pen(10);            System.out.print(mypen.hight+ " ");            Pencil mypencil = new Pencil("HB");            System.out.println(mypencil.hight + " "+ mypencil.type);       } } a. 10.0 0.0 HB b. 10.0 10.0 HB *c. A compiler error d. A runtime error e. f. " g. " h. " i. " General Feedback: A compiler error 618630 Which option is NOT a correct solution to handle an exception if we know that NumberException is a user defined exception? a. public static int testNumber(int x) throws NumberException{        if (x >= 12)                  throw new NumberException("This is my created exception message");       return x; } b. public static int testNumber(int x) throws NumberException{     try{         if (x >= 12)              throw new NumberException("This is my created exception message");    }    finally{}    return x; } *c. public static int testNumber(int x) throws NumberException{     try{         if (x >= 12) new NumberException();     }     catch (NumberException e){         e.printStackTrace();     }     finally{}     return x; } d. public static int testNumber(int x) {      try{           if (x >= 12) throw new NumberException();     }     catch (NumberException e){         e.printStackTrace();    }    finally{}    return x; } e. f. " g. " h. " i. " General Feedback: public static int testNumber(int x) throws NumberException{     try{         if (x >= 12) new NumberException();     }     catch (NumberException e){         e.printStackTrace();     }     finally{}     return x; } 627690 2. Consider the following class definition: public class SillyTestClass { public SillyTestClass(int x, int y) { System.out.println(y); } public SillyTestClass(String string1, String string2) { System.out.println(string2); } public static void main (String [ ] args) { SillyTestClass app = new SillyTestClass(20, “Try this!”); } } Which of the following is the most accurate statement about this code? a. The class definition won't compile, because it has two constructors. b. The class definition won't compile, because two constructors have the same number of parameters. *c. The class definition won't compile, because the actual and formal parameter types don't match. d. It will compile, and the output when the main method is executed will be: 20 e. It will compile, and the output when the main method is executed will be: Try this! f. " g. " h. " i. " j. " General Feedback: Answer A is wrong because Java programs can have more than one constructor. Answer B is wrong because a variation between the type of the parameters is also sufficient. Answers D and E are wrong because the program won't compile or execute. Answer C identifies the problem. 627757 The code fragment given above was intended to read values until a negative value was read and then to print the product of the positive values read. Unfortunately, it does not work. 1. Scanner kbd = new Scanner(System.in); 2. int x, product; 3. product = 0; 4. x = kbd.nextInt(); 5. while (x >= 0) { 6. if (x > 0) { 7. product *= x; 8. } 9. x = kbd.nextInt(); 10. } 11. System.out.println(product);   Which of the following best describes the error that prevents the code from computing the correct answer? a.  Variable x is not initialized correctly. *b. Variable product is not initialized correctly. c. The loop is executed one too many times. d. The loop is executed one two few times. e. None of the above. f. " g. " h. " i. " j. " General Feedback: Because the variable product is initialized to 0 instead of 1, the answer will always be 0.  629589   Using the information in the above UML diagram, if sporty is an instance of Car, what gets called if you execute sporty.move()? a. The move method defined in Vehicle b. The move method defined in PeopleHauler *c. The move method defined in Car d. All of the above e. None of the above f. " g. " h. " i. " j. " General Feedback: None of the above 629591 Using the information in the UML diagram above, suppose the move method of OilTanker has the line super.move(). Which move method does that refer to? a. The move method defined in Vehicle   b. The move method defined in PeopleHauler  c. The move method defined in Car d. All of the above *e. None of the above f. " g. " h. " i. " j. " General Feedback: None of the above 629596 Using the information in the UML diagram above, suppose some method of Truck has the line super.move(). Which of these is true? a. The move method defined in Truck is executed when that line is executed. b. The move method defined in Vehicle is executed when that line is executed. c. It depends on whether move() is defined in Vehicle’s superclass *d. The code will not compile, so I cannot run it. e. None of the above f. " g. " h. " i. " j. " General Feedback: None of the above 629599 Using the information in the UML diagram above, suppose we execute the following Java statements: Vehicle vehicle = new OilTanker(2500); vehicle.move();   which definition of move will be executed? a. The one defined in Truck b. The one defined in Vehicle *c. The one defined in OilTanker d. The one defined in PeopleHauler e. The code will not work f. " g. " h. " i. " j. " General Feedback: The code will not work 629601 Consider the following code: public int examMethod(int n) { if (n == 1) return 1; else if (n > 1) return (n + this.examMethod(n-1)); }   What is the purpose of examMethod? a. to compute fibonacci(n) b. to compute factorial(n) *c. to compute the sum of the positive integers from 1 to n d. none of the above e. f. " g. " h. " i. " General Feedback: The method returns 1 if n is 1, 2+1 if n is 2, 3+2+1 if n is 3, etc. In other words, it computes the sum of the integers from 1 to n (answer C). 629606 Consider the following method: public int examMethod(int n) { if (n == 1) return 1; else return (n + this.examMethod(n-1)); }   Which of the following inputs will cause a non-terminating recursion? *a. 0 b. 1 c. 20 d. 30,000 e. None of the above f. " g. " h. " i. " j. " General Feedback: The base case for this recursion is n == 1. If n is 1, the recursion is done. If n is 20, then the value of n will be reduced by 1 with each recursive call (examMethod(19), examMethod(18), etc.), the value of n will finally reach 1, and the recursion will end. Similarly if n is 30,000. But if n is 0 to begin with, then the next recursive call will be to examMethod(-1), then examMethod(-2), etc. The value of n will never reach the base case, and the method will (in theory) never terminate.  629607   Using the information in the UML diagram above, suppose we execute the following Java statements: PeopleHauler pM = new Car(); pM.move();   which definition of move will be executed? *a. The one defined in Car b. The one defined in PeopleHauler c. The one defined in Vehicle d. The one defined in Truck e. None of the above f. " g. " h. " i. " j. " General Feedback: None of the above 629919 Consider the following Java interface definition: public interface Mover {    public int getX();    public int getY();    public void setLocation(int x, int y); } Which of the following is a correct implementation of the Mover interface? a. public class CartoonCharacter implements Mover{ private int x, y; public int getX; public int getY; public void setLocation; } b. public class CartoonCharacter implements Mover{ private int x, y; public int getX(); public int getY(); public void setLocation(int x, int y); } c. public class CartoonCharacter implements Mover{ private int x, y; public int getX() { // code for method body } public int getY() { // code for method body } } *d. public class CartoonCharacter implements Mover{ private int x, y; public int getX() { // code for method body } public int getY() { // code for method body } public void setLocation(int x, int y){ // code for method body } } e. public class CartoonCharacter implements Mover{ private int x, y; public int getX() { // code for method body } public int getY() { // code for method body } public int setLocation(int x, int y){ // code for method body } } f. " g. " h. " i. " j. " General Feedback: Choice A is wrong because it doesn't include parameter lists or implementations of any of the methods required by the interface. Choice B is wrong because it doesn't include implementations of the methods on the list.  Choice C is wrong because it implements some but not all of the interface methods.  Choice E is wrong because the method signatures do not match those in the interface. Choice D is the correct answer, because it's the only one where the required methods are all implemented, and their signatures match  NOTE: There is no appropriate topic for this question in the list. Suggestion: TopicSimon-interfaces-Java 629922 Consider the following Java interface: public interface Mover { public int getX(); public int getY(); public void setLocation(int x, int y); }   Choose the best description of the following implementation of the Mover interface: public class CartoonCharacter implements Mover{ public int getX; public int getY; public void setLocation; } a. The implementation is correct, because it includes all the required methods and their return types are correct. b. The implementation is incorrect, because it doesn't include the method parameter types. c. The implementation is incorrect, because it doesn't include implementations of the methods. *d. Both B and C. e. f. " g. " h. " i. " General Feedback: To implement a Java interface, a class must define all the methods required by the interface (or declare itself abstract). NOTE: There is no appropriate topic for this question. Suggestion: TopicSimon-Interface-Java.  626600 1. What is the value of the following Java arithmetic expression?                             4 * 3 + 6 / 4 a. 4 b. 4.5 *c. 13 d. 9 e. 13.5 f. " g. " h. " i. " j. " General Feedback: This question addresses two points: first, operator precedence (multiplication and division are both done before addition) and second, integer division. Answer A is wrong about operator precedence: the answer you get if you apply the operators in order from left to right. Answer B makes the same mistake and is also wrong about integer division. Answer D is the answer you get if you assume that addition has a higher precedence than the other two operations. Answer E gets the operator precedence right, but is wrong about integer division. Answer C is the only one that has both right. 625176 What is the maximum result of computing X % 7, where all we know about X is that it is a positive integer? a. 0 b. 1 *c. 6 d. 7 e. There is not enough information in the question description to answer. f. " g. " h. " i. " j. " General Feedback: There is not enough information in the question description to answer. 618632 Which sentence is not correct regarding exception handling in java? a. A method can throw more than one exception. b. You can have several catch statement for one try. *c. Statements inside finally run if no exception happens. d. Statements inside catch are never run unless an exception happens. e. f. " g. " h. " i. " General Feedback: Statements inside finally run if no exception happens. 618969 What will be outputted? int c = 1; int result = 10; result += ++c; System.out.print(result+ " "+ c); *a. 12  2 b. 11  2 c. 12  1 d. 11  1 e. f. " g. " h. " i. " General Feedback: 12  1 618975 Which of these following codes result the same? 1 if (mark =='A'){     if (GPA > 3.5)     x = 1; } else     x = 2;   2 if (mark =='A')     if (GPA > 3.5)         x = 1;     else         x = 2;   3 if (mark =='A'){     if (GPA > 3.5)         x = 1;    else         x = 2; } a. 1,2 *b. 2,3 c. 1,3 d. 1,2,3 e. f. " g. " h. " i. " General Feedback: 1,3 618976 What will be outputted? int num = 3; int counter = 1; boolean condition = true; while(condition){     num+= counter++;     if(num>10){         condition=false;         num+= ++counter;     } } a. counter = 5 num = 16 b. counter = 5 num = 17 c. counter = 6 num = 18 *d. counter = 6 num = 19 e. f. " g. " h. " i. " General Feedback: counter = 6 num = 18 618977 What will be outputted? int income = 30; boolean condition1 = true, condition2 = true; if(income < 100)     if(income > 10)         if(condition1){             System.out.print("A");             if(income < 20)             System.out.print("B");         }         else             System.out.print("C");     if(!condition2){         if(income > 50)             System.out.print("D");     }     else        System.out.print("E"); *a. AE b. AC c. ABC d. ACE e. f. " g. " h. " i. " General Feedback: ABC 618978 Fill the gap in such a way that the odd number less than 10 and greater than zero is printed. for (_________________________)     System.out.println(i+1); a. int i = 0; i <= 10; i= i+2 *b. int i = 0; i < 10; i= i+2 c. int i = 1; i < 10; i= i+2 d. int i = 1; i <= 10; i= i+2 e. f. " g. " h. " i. " General Feedback: int i = 1; i < 10; i= i+2 618980 What would be outputted? char initial = 'a'; switch (initial){ case 'a':          System.out.print("A"); case 'b':          System.out.print("B"); default:          System.out.print("C"); } *a. ABC b. AB c. BC d. A e. f. " g. " h. " i. " General Feedback: BC 618981 What will be outputted? char initial = 'a'; switch (initial){     case 'a':             System.out.print("A");     default:             System.out.print("C");              break;      case 'b':               System.out.print("B");               break; } a. compiler error b. A *c. AC d. ACB e. f. " g. " h. " i. " General Feedback: AC 618983 What would be the value of sum at the end of executing this code? int sum; for (int i = 0; i < 2; i++)     for (int j = 0; j < 5; j++ ){         sum = i + j;         if (sum > 5) break;         else continue;         System.out.print(sum); } *a. Compiler error due to having unreachable code. b. Compiler error due to not initializing local variable. c. 6 d. 5 e. f. " g. " h. " i. " General Feedback: 6 618984 To compute the following series, the following code will do the job. What will be the initial value of stat, fact and sum respectively? -X + X3/3! - X5/5! + ... for ( int i = 2; i <= n; i++){     for (int j = 2*i -1; j > 2*i -3 ; j--){         stat *=x;         fact*= j;     }     p_f *= -1;     sum += p_f* stat/fact; a. 1, x, 0 b. x, 1, 0 c.  -x, 1, x *d. x,1,-x e. f. " g. " h. " i. " General Feedback:  -x, 1, x 625172 Consider the following static method in Java: public static int[] mystery(int[] arr, int x) { int a=0; for (int i=0; i x) { a++; } } int[] ar2=new int[a]; int z=0; for (int i=0; i x) { ar2[z]=arr[i]; z++; } } return ar2; }   What will this function (static method) return when invoke with the array {1, 9, 3, 4, 9, 4, 5, 2, 7} and the integer 5? a. {} (an empty array) b. {9, 5, 7} c. {9, 9, 5, 7} *d. {9, 9, 7} e. It will throw ArrayIndesOutOfBoundsException f. " g. " h. " i. " j. " General Feedback: It will throw ArrayIndesOutOfBoundsException 629923 Consider the following interface definition: public interface Mover { public int getX(); public int getY(); public void setLocation(int x, int y); }   Choose the answer that best describes the following implementation of the Mover interface: public class CartoonCharacter implements Mover {    public int getX();    public int getY();    public void setLocation(int x, int y); } a. The implementation is correct, because it includes all the methods. b. The implementation is correct, because the method names, return types, and parameter lists match the interface. *c. The implementation is incorrect, because the method bodies are not included. d. Both A and B.  e. f. " g. " h. " i. " General Feedback: A class that implements a Java interface must define all the methods required by the interface (or declare itself abstract). NOTE: There is no appropriate topic for this question. Suggestion: TopicSimon-Interface-Java. 632832 Consider the following code: if x >= 0: print (1) elif x < 20: print(2) else: print(3) print(4)   For what values of x will 2 be among the values printed? *a. x < 0 b. x >= 0 c. x < 20 d. All values of x e. None of the above f. " g. " h. " i. " j. " General Feedback: Although the condition of the elif is x<20, all values between 0 and 20 are subsumed (i.e. covered by) the first condition, x>=0.  So only values of x strictly less than 0 will result in 2 being printed. 633230 What is printed when the following program runs? public class Main { public static boolean getTrue() { System.out.print("T"); return true; } public static boolean getFalse() { System.out.print("F"); return false; } public static void main(String[] args) { getFalse() || getFalse(); } } a. T *b. FF c. F d. FT e. Nothing is printed. f. " g. " h. " i. " j. " General Feedback: || evaluates the left operand first. It's not true, so it checks the second. 633231 What is printed when the following program runs? public class Main { public static boolean getTrue() { System.out.print("T"); return true; } public static boolean getFalse() { System.out.print("F"); return false; } public static void main(String[] args) { getTrue() && getTrue(); } } *a. TT b. F c. T d. FT e. Nothing is printed. f. " g. " h. " i. " j. " General Feedback: The first operand is true. && requires both be true, so we check the second, which is also true. 633233 What is printed when the following program runs? public class Main { public static boolean getTrue() { System.out.print("T"); return true; } public static boolean getFalse() { System.out.print("F"); return false; } public static void main(String[] args) { getTrue() && getFalse(); } } a. T b. TT *c. TF d. F e. Nothing is printed. f. " g. " h. " i. " j. " General Feedback: The first operand is true. && requires both operands be true, so we evaluate the second, which is false. 633234 What is printed when the following program runs? public class Main { public static boolean getTrue() { System.out.print("T"); return true; } public static boolean getFalse() { System.out.print("F"); return false; } public static void main(String[] args) { getFalse() && getTrue(); } } a. FT b. T *c. F d. FF e. Nothing is printed. f. " g. " h. " i. " j. " General Feedback: The first operand is false. && requires both be true, so we don't bother to evaluate the second. 633251 Consider the code int i = 3; int *p = &i; Which of the following will print out “The value is 3.”? a. printf("The value is %p", p); *b. printf("The value is %d", *p); c. printf("The value is %d", &i); d. printf("The value is %d", &p); e. f. " g. " h. " i. " General Feedback: The value of p will be the memory address of i -- to dereference p, we need to use *p. 633253 Which of the following lines of code will correctly read in the two floats x and y? a. scanf("%d%d", &x, &y); b. scanf("&d&d", %x, %y); *c. scanf("%f%f", &x, &y); d. scanf("&f&f", %x, %y); e. f. " g. " h. " i. " General Feedback: Scanf requires pointers to x and y -- hence the ampersands. As x and y are floats, %f is used for both. 633271 Kejun has the executable add that adds three command-line args together and prints the result. He runs it like so: ./add 25 10 5 the sum is 40 In his code, what is the value of argc? a. 0 b. 1 c. 2 d. 3 *e. 4 f. " g. " h. " i. " j. " General Feedback: ./add is considered a command-line argument 633272 After the assignment signal = ’abracadabra’, what is returned by signal[:5]? a. ’abraca’ *b. ’abrac’ c. ’c’ d. An error e. None of the above f. " g. " h. " i. " j. " General Feedback: This is a slice operation.  Slices in Python work with both lists and with Strings, and go up to but not including the limit.  Since the limit is 5, we get the first 5 characters (indexed 0 through 4).  Hence abrac 633275 After the assignment signal = ’abracadabra’, what is returned by signal[-1:]? *a. 'a' b. 'abracadabra' c. '' d. an error e. none of the above f. " g. " h. " i. " j. " General Feedback: Python actually allows negative indexes, which start counting from the back of a list or String.  However, the slice operation by default still only uses increasing indexes.  So, slicing [-1:] means to slice from the last character through the rest of the String (slice operations that leave out the upper boundary implicitly mean "slice to the end"). 633282 What is returned by ’A A Milne’ < ’A Linkletter’? *a. True b. False c. 'A A Milne' d. an error e. none of the above f. " g. " h. " i. " j. " General Feedback: This is a lexicographic (i.e. alphabetic) comparison.  The first 2 characters of both strings are the same (i.e. 'A '), but for the third character, 'A' comes before 'L' so we return True. 633229 What is printed when the following program runs? public class Main { public static boolean getTrue() { System.out.print("T"); return true; } public static boolean getFalse() { System.out.print("F"); return false; } public static void main(String[] args) { getFalse() || getTrue(); } } a. TF b. T c. F *d. FT e. Nothing is printed. f. " g. " h. " i. " j. " General Feedback: || guarantees left-to-right evaluation, stopping at the first operand that is true. 633226 Many English words have separate singular and plural forms, e.g., "dog" and "dogs." We are trying to write a method that properly pluralizes a word (though naively, by only adding an "s" at the end) if the count we have of that word is not 1. If the count is 1, we leave the word as is. Which of the following proposed solutions does not meet this specification? a. String getCounted(String singular, int count) { if (count != 1) { return singular + "s"; } else { return singular; } } b. String getCounted(String singular, int count) { String quantified = singular; if (count != 1) { quantified = quantified + "s"; } return quantified; } c. String getCounted(String singular, int count) { if (count == 1) { return singular; } else { String plural = singular + "s"; return plural; } } *d. String getCounted(String singular, int count) { String suffix = null; if (count != 1) { suffix = "s"; } return singular + suffix; } e. String getCounted(String singular, int count) { if (count != 1) { singular += "s"; } return singular; } f. " g. " h. " i. " j. " General Feedback: Suffix is initialized to null. The concatenation of singular and suffix does not produce the desired behavior. 632833 Consider the following Python code: if x >= 0: print (1) elif x < 20: print(2) else: print(3) print(4)   For what integer values of x will 1 be among the values printed? a. x < 0 *b. x >= 0 c. x >= 20 d. All values of x e. None of the above f. " g. " h. " i. " j. " General Feedback: Clearly x must be greather than or equal to 0 to for 1 to be printed. 632840 Consider the following Python code: if x >= 0: print (1) elif x < 20: print(2) else: print(3) print(4)   For what integer values of x will 3 be amont the values printed? a. x < 0 b. x >= 0 c. x < 20 d. All values of x *e. None of the above f. " g. " h. " i. " j. " General Feedback: It's not possible to get 3 to print.  This is because all possible values of x are covered by if x>=0 and x<20.  This creates a range that includes all possible values of x, since any number is either >=0 or < 20. 632843 Consider the following Python code: if x >= 0:     print 1 elif x < 20:     print 2 else:     print 3 print 4 For what values of x will 4 be among the values printed? a. x < 0 b. x >= 0 c. x >= 20 *d. All values of x e. None of the above f. " g. " h. " i. " j. " General Feedback: The statement that prints 4 is NOT part of the if expression; thus it will be preinted regardless of what happens with the loop 632879 Converting a value from one type to another sometimes requires an explicit cast and sometimes does not. Which of the following conversions and lines of reasoning explains how to convert a double d to an int i? a. i = d. No explicit cast is necessary because if the conversion isn't valid, an exception is thrown. b. i = (int) d. An explicit cast is needed to round d to the nearest integer. c. i = d. No explicit cast is necessary because any int can be stored in a double. *d. i = (int) d. An explicit cast is needed because information may be lost in the conversion. e. i = d. No explicit cast is necessary because d isn't changed in the conversion process. f. " g. " h. " i. " j. " General Feedback: Not all doubles can be stored as ints. You must sign off on the potential information loss with an explicit cast. 632918 After the assignment s = ’slam’, which of the following code fragments prints scam? a. s[1] = ’c’ print(s) b. s.replace(’l’, ’c’) print(s) *c. s = s[:s.find(’l’)] + ’c’ + s[s.find(’l’)+1:] print(s) d. All of the above e. None of the above f. " g. " h. " i. " j. " General Feedback: A doesn't work because Strings cannot be changed.  The [] operation can be used to read values inside a String, but not to change them. B doesn't work because the replace() function does not change the String, it returns a new String.  This would work if it were s=s.replace('l', 'c'). C works, it's basically concatenating everything before the 'l' with a 'c' with everything after the 'l'. 633087 In this question, you are given a Perl regular expression that you are required to evaluate. There are no leading or trailing spaces in any of the text, nor are there any spaces in the regex. Identify the answer which best matches the regex below: /20[0-3]+/ a. 205 *b. 2003 c. 0230 d. 2300 e. f. " g. " h. " i. " General Feedback: 20 followed by one or more digits in the range 0 to 3. 633095 In this question, you are given a Perl regular expression that you are required to evaluate. There are no leading or trailing spaces in any of the text, nor are there any spaces in the regex. Identify the answer which matches the regex below: /[A-Z][a-z]{2,4}day/ *a. Saturday b. tuesday c. Yesterday d. Today e. THURSDAY f. " g. " h. " i. " j. " General Feedback: Must start with an upper case letter, be followed by from 2 to 4 lower case letters, and be followed by day. 633097 In this question, you are given a Perl regular expression that you are required to evaluate. There are no leading or trailing spaces in any of the text, nor are there any spaces in the regex. Identify the answer which matches the regex below: /\d\d\d/ a. 1d34 *b. A123 c. 12 d. 12A12D e. f. " g. " h. " i. " General Feedback: Must contain 3 consecutive digits. It does not matter what comes before or after. 633222 What are the merits of insertion sort compared to bubble sort and selection sort? a. It doesn't require as much extra storage. b. It copies elements only to their final locations. c. It requires less code. *d. It is faster for already sorted data. e. It can be implement recursively. f. " g. " h. " i. " j. " General Feedback: Neither selection nor bubble sort require extra storage. Selection sort doesn't make unnecessary copies. Bubble sort can be expressed in very little code. Any of them could be expressed recursively. If the array is already sorted, then insertion sort will only make N comparisons and no copies, giving it better performance than the other sorts. 633223 What is the output of the following program? public class Main { public static void swap(int a, int b) { int tmp = a; a = b; b = tmp; } public static void main(String[] args) { int a = 5, b = 7; swap(a, b); System.out.println(a + " " + b); } } a. 7 5 *b. 5 7 c. 5 5 d. 7 7 e. 12 f. " g. " h. " i. " j. " General Feedback: Main.swap only receives copies of main's a and b. Its assignments do not alter main's variables. Thus, a is still 5 and b is still 7 when the print statement is executed. 633224 In Java, what does it mean if something is marked static? a. It never changes value. *b. It exists outside of any particular instance of the class. c. It cannot be overridden. d. Its value is undetermined. e. It marks the program's starting point. f. " g. " h. " i. " j. " General Feedback: Something that is static is defined at the class level and is accessed through the class, rather than through an instance. 633290 Suppose you've got a generic class: class Rosters { ... }   You create a Rosters instance: Rosters> rosters;  What is the erasure type of Rosters? *a. Object b. ArrayList c. ArrayList d. Rosters e. String f. " g. " h. " i. " j. " General Feedback: You need only examine the supertype of generic parameters on the Rosters class to determine the erasure type. There is no explicit supertype, so the supertype is Object. 633292 Consider the following Python code: in_str = input(’Enter a string: ’) a = ’’ d = 0 r = 1 for c in ’abcdefghijklmnopqrstuvwxyz’: if c in in_str: a = c + a else: d = d + 1 r += 2 print(a) # Line 1 print(d) # Line 2 print(r) # Line 3   Given the input ’Frick & Frack’ what output is produced by Line 1? a. FrickFrack b. kcarkcir c. acikr *d. rkica e. none of the above f. " g. " h. " i. " j. " General Feedback: Essentially this is filtering out all the upper case and non-alphabetic characters.  The for loop goes through each lower-case letter, and if that letter is in the input string in_str, we concatenate the letter to the variable a. 633293 Consider the following Python code: in_str = input(’Enter a string: ’) a = ’’ d = 0 r = 1 for c in ’abcdefghijklmnopqrstuvwxyz’: if c in in_str: a = c + a else: d = d + 1 r += 2 print(a) # Line 1 print(d) # Line 2 print(r) # Line 3   Given the input ’Frick & Frack’ what output is produced by Line 2? a. 5 *b. 21 c. 10 d. 86 e. none of the above f. " g. " h. " i. " j. " General Feedback: This basically counts the number of lower case letters. 633487 What does the following Java code produce? int result=1; for (int i=1; i<=N; i++) { result *= 2; } System.out.println(result); a. 0 b. 2*N *c. 2N d. 2N+1 e. 1 f. " g. " h. " i. " j. " General Feedback: This produces 2N.  633548 Which of the following expressions, when applied to each element of the array {0, 1, 2, 3, 4, 5, 6}, produces the array {0, 0, 1, 4, 5, 5, 9}? a. x * 3 / 2 + x % 4 b. 2 + x - x * x c. x / 10 + x * 10 - x * x % 20 d. (10 - x) * -x *e. x + x / 2 - x % 3 f. " g. " h. " i. " j. " General Feedback: x + x / 2 - x % 3 633549 Your data has 4-bit keys. You also have magical, perfect hash function that will prevent any collisions from happening, provided there is room enough for all possible elements in the array. What's the minimum number of elements the array must be able to hold? a. 8 *b. 16 c. 32 d. 64 e. 128 f. " g. " h. " i. " j. " General Feedback: 4-bit keys uniquely identify 24 = 16 elements. The array must be able to hold these 16 items. 633551 You've got this Word class for a project you are working on: class Word { private String letters; ... public int hashCode() { return letters.charAt(1); } }   For which of the word lists below is this implementation of hashCode a poor choice? a. we, us, oh, by b. aa, bb, cc, dd c. mom, mill, mull, mat *d. cat, bad, fall, late e. dinosaur, paroxysm, levitate, apiary f. " g. " h. " i. " j. " General Feedback: The hashCode examines the second letter of each word to find the location in the hashtable. In list D, all words share the second letter 'a,' resulting in many collisions. 633565 You know exactly how much data you need to store, but there's not much of it. You do not need to be able to search the collection quickly, but insertion should be as fast as possible. What is the simplest data structure that best suits for your needs? *a. Unordered array b. Ordered array c. Linked list d. Hashtable e. Binary search tree f. " g. " h. " i. " j. " General Feedback: If you know the memory needs, you can allocate a large enough array. Inserting elements in the array can be done in constant time, and requires less work than inserting in a linked list. 633570 You've got this code: TreeMap map = new TreeMap(); map.put("A", "*"); map.put("AA", "*"); map.put("B", "****"); for (String s : map.keySet()) { System.out.print(map.get(s) + " "); }   What does it print? a. A A B *b. * * **** c. A* AA* B**** d. A AA B e. * ** **** f. " g. " h. " i. " j. " General Feedback: We iterate through each key {"A", "AA", "B"}, looking up and printing the value of these keys. 633575 You see the expression n = null in code that successfully compiles. Which is not a legal type of n? a. Integer b. String c. Object d. ArrayList *e. boolean f. " g. " h. " i. " j. " General Feedback: Boolean's can only be true or false. 633580 The number of elements in a hashtable must be prime a. so that linear probing will terminate b. so that quadratic probing will terminate c. to reduce collisions d. to reduce cluster sizes *e. so that probing with a double hash visits all elements f. " g. " h. " i. " j. " General Feedback: Since the double hash produces a fixed step size for probing, it may be the case that the step size is a factor of the table size. In this case, advancing by the fixed step size will land us in a cycling sequence. 633581 You've got a class that holds two ints and that can be compared with other IntPair objects: class IntPair { private int a; private int b; public IntPair(int a, int b) { this.a = a; this.b = b; } public int compareTo(IntPair other) { if (a < other.a) { return -1; } else if (a > other.a) { return 1; } else { if (b == other.b) { return 0; } else if (b > other.b) { return -1; } else { return 1; } } } }   Let's denote new IntPair(5, 7) as [5 7]. You've got a list of IntPairs: [3 7], [4 6], [3 4] You sort them using IntPair.compareTo. What is their sorted order? a. [3 4], [3 7], [4 6] *b. [3 7], [3 4], [4 6] c. [4 6], [3 7], [3 4] d. [4 6], [3 4], [3 7] e. f. " g. " h. " i. " General Feedback: The compareTo orders first by IntPair.a in ascending order, and in the case of a tie, but IntPair.b in descending order. 633601 What does the following Java code print? int outer=0; int inner=0; for (int i=0; i<6; i++) { outer++; for (int j=0; j<=i; j++) { inner++; } } System.out.println("outer "+outer+", inner "+inner); a. outer 6, inner i b. outer 6, inner 24 *c. outer 6, inner 21 d. outer 24, inner 24 e. outer 6, inner 24 f. " g. " h. " i. " j. " General Feedback: The inner loop is based on the current iteration of the outer loop.  If we track the values: outer 0, inner 0 outer 1, inner 0,1 outer 2, inner 0,1,2 and so on up to 6. If we add up all of the inner values, there are 21 of them. This is the classic "triangle" pattern, because the inner values proceed like this: 0 0 1 0 1 2 0 1 2 3 0 1 2 3 4 0 2 3 4 4 5 633602 What does the following Java code print? int outer=0; for (int i=0; i<12; i++) { if (i % 2 == 0) { outer++; } } System.out.println(outer); a. 12 *b. 6 c. 3 d. 1 e. 0 f. " g. " h. " i. " j. " General Feedback: i % 2 == 0 is true only when i is 0.  This loop counts the number of even values between 0 and 12, exclusive (because the loop body doesn't execute when i is 12, the loop ends instead).  In this case the result is 6 (0, 2, 4, 6, 8, 10). 633470 How many times does the following Java code print "hello world"? for (int i=10; i>=4; i++) { System.out.print("hello world"); } a. 0 b. 1 c. 5 d. 6 *e. none of the above f. " g. " h. " i. " j. " General Feedback: Trick question!  This is an infinite loop, because the update condition is i++, but we are starting at 10 and continue while i>=4! 633468 What does the following Java code print? for (int i=6; i>=2; i--) { System.out.print(i+" "); } a. 6 5 4 3 2 1 0 b. 6 5 4 3 2 1 *c. 6 5 4 3 2 d. 6 5 4 3 e. the loop is infinite f. " g. " h. " i. " j. " General Feedback: This is a basic for loop that counts down from 6 to 2. 633294 You are storing a complete binary tree in an array, with the root at index 0. At what index is node i's left child?  a. 2i *b. 2i + 1 c. i + i + 2 d. i / 2 + 1 e. (i` - 1) / 2 f. " g. " h. " i. " j. " General Feedback: (i` - 1) / 2 633297 Consider the following Python code: in_str = input(’Enter a string: ’) a = ’’ d = 0 r = 1 for c in ’abcdefghijklmnopqrstuvwxyz’: if c in in_str: a = c + a else: d = d + 1 r += 2 print(a) # Line 1 print(d) # Line 2 print(r) # Line 3 a. 2 *b. 3 c. 21 d. 27 e. 53 f. " g. " h. " i. " j. " General Feedback: The statement r+=2 is not inside the loop, so we just assign 1 to r, then add 2 to it to get 3. 633305 Consider the following Python code: s = input(’Enter a string: ’) w = ’’ for c in s: if c in "0123456789": #REPLACE else: w = w + c print w   What replacement for the comment #REPLACE will cause the program to print the input string with all of the digits removed?  In other words, for the 'aaa3b3c1', we would print 'aaabc'. a. break *b. continue c. return w d. any of the above e. none of the above f. " g. " h. " i. " j. " General Feedback: A is wrong because break will end the loop. C is wrong because the problem asks us to print, not to return. The continue statement works because it goes back to the top of the loop. 633306 Consider the following Python code: s = input(’Enter a string: ’) w = ’’ for c in s: if c in "0123456789": #REPLACE else: w = w + c print(w)   What replacement statement for the comment #REPLACE will cause the code to print out all of the characters up to the first digit?  In other words, if the input is 'aaa3bb3c1', we should output 'aaa'. *a. break b. continue c. return w d. any of the above will work e. none of the above f. " g. " h. " i. " j. " General Feedback: B is wrong because continue will skip the digits but continue with the rest of the String. C is wrong because the exercise askes us to PRINT, not return the String. 633307 Searching a heap is a. O(1) b. O(log N) *c. O(N) d. O(N log N) e. O(N2) f. " g. " h. " i. " j. " General Feedback: In a heap, we only know that a node's key is greater than both its chidrens' keys. We may need to search both subheaps for an element. In the worst case, we'll visit every element. 633308 What is the heap condition? a. All but the leaf nodes have two children b. The tree is a binary tree *c. Each node's key is greater than its childrens' keys d. Only the last level of the tree may not be full e. No leaf node has children f. " g. " h. " i. " j. " General Feedback: All are true, but only C provides the definition of the heap condition. 633309 Why can a heap be efficiently implemented using an array instead of a linked structure? a. Linked implementations consume more space b. The array never needs to change size c. The heap condition makes it easier to calculate indices d. We only traverse the heap in a breadth-first fashion *e. It is complete f. " g. " h. " i. " j. " General Feedback: Because the heap is complete, the elements can be stored contiguously and parent and child nodes (which we're guaranteed to have) fall in locations we can compute with simple arithmetic. 633396 You have a class Custom: class Custom { private int i; ... public String toString() { return "" + i; } }   Consider this code, which prints a Custom instance: Custom a = ...;System.out.println(a); What overloaded version of PrintStream.println is called? a. println(String s) b. println(Custom c) c. println(int i) d. println() *e. println(Object o) f. " g. " h. " i. " j. " General Feedback: The version of println that we call must have a type that is a supertype of Custom, leaving only Custom and Object as our two choices. Since PrintStream was written years before our Custom class ever existed, it doesn't know anything about our class. However, it does know about Objects and that all Objects have a toString method. 633461 What does the following Java code print? int sum=0; for (int i=1; i<=5; i++) { sum += i; } System.out.println(sum); a. 0 b. 5 c. 10 *d. 15 e. 20 f. " g. " h. " i. " j. " General Feedback: This is basically 1 + 2 + 3 + 4 + 5 633462 What does the following Java code print? int sum=0; for (int i=0; i<10; i+=4) { sum += i; } System.out.println(sum); a. 4 b. 8 *c. 12 d. 16 e. 20 f. " g. " h. " i. " j. " General Feedback: 0 + 4 + 8 633463 What does the following Java code print? int sum=0; for (int i=0; i>100; i++) { sum += i; } System.out.println(sum); *a. 0 b. 100 c. 0 + 1 + 2 + ... + 99 + 100 d. 0 + 1 + 2 + ... + 98 + 99 e. none of the above f. " g. " h. " i. " j. " General Feedback: This is a trick question!  The stop condition of the for loop is i>100, and since i starts at 0, i is never > 100, so the loop immediately ends. 633607 Suppose the following Java code prints "statement 2": if (num < 6) { System.out.println("statement 1"); } else { System.out.println("statement 2"); }   What must be true about num? a. greater than 6 *b. greater than or equal to 6 c. less than 6 d. less than or equal to 6 e. this program cannot print "statement 2" f. " g. " h. " i. " j. " General Feedback: The opposite of less than is greater than or equal to.  Not just greater than. 632809 Suppose a is true, b is false, and c is false. Which of the following expressions is true? a. b && c && !a b. !a || (b || c) c. c && !a *d. !c && !b e. !!b f. " g. " h. " i. " j. " General Feedback: Substitute: !c && !b !false && !false true && true true 632100 Only one of the following will not compile and run under Quick C. Which one? a. main(){} b.  main(void){} *c. int main(){return 65535;} d. int main(void){return 1} e. void main(void){} f. " g. " h. " i. " j. " General Feedback: The semi-colon end of line delimiter occurs within a curly bracket pairing, which is not a logical combination from the compiler's parsing perspective 632147 What is output by the code shown in the question below. Think about it carefully - it may be a bit tricky! void main (void) {      #define LIMIT 8      int i = 0;      while ( i++ < LIMIT )     {           if ( i )          {                printf( "%d", LIMIT - i );          }      } } a. Nothing b. 876543210 c. 876543210-1 *d. 76543210 e. 76543210-1 f. " g. " h. " i. " j. " General Feedback: The while loop increments the index before each iteration of the loop and the resulting increased index value is subtracted from the Limit of 8.  Thus the values printed range from 7 to 0. 632170 You are preparing test data for this function that accepts a day of the month (as a number) from the user: int iGetDay(int iMonth); You are currently working with a month value of 5 (May). What should your boundary test values be for iGetDay? a. -1, 0, 30, 31 b. -1, 0, 31, 32 c. 0, 1, 29, 30 d. 0, 1, 30, 31 *e. 0, 1, 31, 32 f. " g. " h. " i. " j. " General Feedback: The month of May has 31 days and starts on the 1st of May.  So the day before and the day after these boundary days consitute the boundary test conditions 632177 How many times will the printf statement be executed in this code? In each case assume the definition int i = 0; WARNING There are some very nasty traps in some of the code here. LOOK AT IT ALL VERY CAREFULLY!  do {      printf("Count me!");      i++; } while(++i < 10); a. 0 *b. 5 c.  6 d. 10 e. 11 f. " g. " h. " i. " j. " General Feedback: The line i++; in the body of the loop after the printf function, in combination with the ++i preceding each iteration in the while loop, causes the index to increment twice in each iteration, so the printf function is only executed 5 times 632194 The worst-case analysis (Big-Oh) of the following Java code is: for (j=0; j { // 1 public void push (T element); public T pop(); public T peek(); public boolean isEmpty(); } The capital letter “T” on line 1 stands for: a. a temporary value *b. the type of the items in the Stack c. a class named T defined somewhere else in the program d. the top of the stack e. none of the above f. " g. " h. " i. " j. " General Feedback: This interface is defined using Java's generics. We can tell what the T means by looking at how it is used.  The "T" in angle brackets on line 1 corresponds to the type of the parameter to push and the type of value returned by pop and peek. In other words, it is the type of value stored in the stack.  632224 The StackADT's push operation: a. adds a new item at the bottom of the Stack b. returns without removing the top item on the Stack c. removes and returns the top item on the Stack *d. adds a new item at the top of the Stack e. returns true if the Stack is empty and otherwise false f. " g. " h. " i. " j. " General Feedback: "push" is the traditional term for adding a new item to a stack. Stacks work like a pile of paper. The bottom piece of paper is the first one that was put in the pile. The top piece of paper was added most recently. When another piece of paper is added to the stack, it goes on top of the rest of the pile. 632254 Suppose you are trying to choose between an array and a linked list to store the data in your Java program. Which data structure can change size as needed while the program is running? a. an array *b. a linked list c. both d. neither e. f. " g. " h. " i. " General Feedback: When initializing a Java array, you must allocate a fixed amount of memory for storing data. Linked lists vary in size depending on how much data they contain.  632285 Suppose StackADT is implemented in Java using a linked list. The big-Oh time complexity of the following pop method is: public T pop() { T tmp; if (this.top == null) tmp = null; else { tmp = this.top.getElement(); this.top = this.top.getNext(); } return tmp; } *a. O(1) b. O(log n) c. O(n) d. O(n2) e. O(2n) f. " g. " h. " i. " j. " General Feedback: These operations can be done in constant time, independent of the size of the stack.  632288 Consider the following Java method: public T pop() { \\ 1 T tmp; \\ 2 if (this.top == null) \\ 3 tmp = null; \\ 4 else { \\ 5 tmp = this.top.getElement(); \\ 6 this.top = this.top.getNext(); \\ 7 } \\ 8 return tmp; \\ 9 } \\ 10   What would happen if line 7 were before line 6? a. The code would not compile. b. The code would compile, but it wouldn't run. *c. The code would compile and run, but it would return the wrong value. d. The code would compile and run, and it would work just the same.  e. f. " g. " h. " i. " General Feedback: If the two lines are re-ordered, the code will change the value of top to the second node, and then the second value in the stack will be the one that is returned.  632293 Consider the following Java method: public T pop() { // 1 T tmp; // 2 if (this.top == null) // 3 tmp = null; // 4 else { // 5 tmp = this.top.getElement(); // 6 this.top = this.top.getNext(); // 7 } // 8 return tmp; // 9 } // 10   What would happen if line 7 were before line 6? a. The code would not compile. b. The code would compile, but it wouldn't run. *c. The code would compile and run, but it would return the wrong value. d. The code would compile and run, and it would work just the same.  e. f. " g. " h. " i. " General Feedback: If the two lines are re-ordered, the code will change the value of top to the second node, and then the second value in the stack will be the one that is returned.  632137 What is output by the code shown below. Think about it carefully - it may be a bit tricky! #define DEF_1 (2 + 2) #define DEF_2 DEF_1 - DEF_1 int main(void) { printf("%d", DEF_2); } *a. 0 b. 2 c. 4 d. 6 e. 8 f. " g. " h. " i. " j. " General Feedback: The declaration of DEF_2 [DEF_1 after subtracting DEF_1 = 0 ] is the value printed. 632131 What is output by the code shown below. Think about it carefully -it may be a bit tricky! void main( void ) { static char szCode[] = "111"; szCode[2] = '0'; puts( szCode ); } a. Nothing b. 011 c. 101 *d. 110 e. 111 f. " g. " h. " i. " j. " General Feedback: The value of the character in the array at index [2] (where index starts from 0)  is set to zero and the other initialized array values remain unchanged 632106 What would be the performance of removeMin and insert methods in a priority queue if it is implemented by an unsorted list? a. O(1) , O(1) b.  O(1) , O(n) *c.  O(n) , O(1) d. O(n) , O(n) e. f. " g. " h. " i. " General Feedback:  O(n) , O(1) 632107 Consider this code. It is part of a program that receives MMP list votes from constituencies and stores them in a database. The field PartyName stores the names of each party involved, and the field VoteTotal keeps a running total of list votes for a party. Tally is a table-type Recordset. Do    ' Get a name and vote pair from the newly arrived text    ' Returns 0 when there are no more pairs    Start% = ExtractNextPair((txtData.Caption), Start%,_                                                 PartyName$,_Votes&)    If Start% > 0 Then      ' See if the party name is already present      KeyField$ = UCase$(Trim$(PartyName$))     Tally.Seek "=", KeyField$      If Tally.NoMatch Then        ' Add a new record        Tally.AddNew        Tally("PartyName") = KeyField$        Tally("VoteTotal") = Votes     Else         ' Update the existing record - add latest votes         Tally.Edit         Tally("VoteTotal") = Tally("VoteTotal") + Votes     End If   End If Loop While Start% > 0 Tally.Update Why does this code not successfully store all the incoming data? a. The loop logic is wrong - it should be Start% < 0 b. There was no call to Tally.Refresh c. There was no call to Tally.UpdateRecords *d. The line Tally.Update must come inside the loop e. The AddNew and Edit lines should be swapped f. " g. " h. " i. " j. " General Feedback: Because the line Tally.Update is outside the loop it is only executed once at the end of the program 632112 What node will be visited prior to E in an inorder traversal of the following tree? a. A b. B *c. C d. D e. f. " g. " h. " i. " General Feedback: C 632115 Consider these lines of code: txtName.SetFocus txtName.SelStart = 0 txtName.SelLength = Len(txtName.Text) txtName is an edit text box which is currently visible. The code may cause a run time error. This will happen if: a. txtName is a multiline text box. b. there is no text in txtName. *c. txtName is currently disabled. d. some of the text in txtName is currently highlighted. e. none of the text in txtName is currently highlighted. f. " g. " h. " i. " j. " General Feedback: A disabled edit text box may not be accessed by the setfocus method as this combination is not a logical action and therefore clashes with the underlying VB event model which controls the permissible sequences of events. 632116 What would be the minimum number of required queue, to implement a stack? a. 1 *b. 2 c. 3 d. 4 e. f. " g. " h. " i. " General Feedback: 3 632117 Which data structures would be proper in terms of performance to implement flight waiting lists? a. Priority Queue *b. Heap c. Array d. Linked list e. f. " g. " h. " i. " General Feedback: Array 632121 To implement student's database, which data structure is more appropriate? a. Heap b. Binary Tree *c. Map d. Priority Queue e. f. " g. " h. " i. " General Feedback: Map 632124 Using double hashing and following hash function and data, in which array slot number 31 will be inserted*? N = 13 h(k) = k mod 13 d(k) = 7 - k mod 7 (h(k) + jd(k)) mod 13 18, 41, 22, 44, 59, 32, 31, 73 *Credit goes to Goodrich et.al. (Data Structures & Algorithms in Java) *a. 0 b. 5 c. 9 d. 10 e. f. " g. " h. " i. " General Feedback: 9 632125 Given the declaration Public StudentRecords as Collection What line of code is required before the first student record is added to the collection? a. StudentRecords = New Collection b. Set StudentRecords = Collection *c. Set StudentRecords = New Collection d. Set Collection = StudentRecords e. Set StudentRecords.New f. " g. " h. " i. " j. " General Feedback: Set assigns an object reference to the new Collection object named StudentRecords 632126 Using Dijkstra’s Algorithm what would be the path between A and B? (Picture taken from Data Structures & algorithms in Java by Goodrich at. al.) a. AB b. ACB *c. ACEB d. ADCEB e. f. " g. " h. " i. " General Feedback: ACEB 632127 The following processes are arranged in alphabetical order: 1 Application event procedure is called. 2 Event procedure code is executed. 3 User clicks on a button with the mouse. 4 Windows detects an event. 5 Windows passes a message to the application containing the button. In what order will these processes normally occur in a Visual Basic application? *a. 3, 4, 5, 1, 2 b. 2, 3, 5, 4, 1 c. 4, 3, 2, 5, 1 d. 3, 5, 4, 1, 2 e.  1, 2, 3, 5, 4 f. " g. " h. " i. " j. " General Feedback: The button click causes windows to detect an event and pass a message to the application containing the button.  The application event procedure is called and the event procedure code is executed. 632327 This Perl script does not work correctly. It is supposed to work out the average assessment mark for a student who has 6 marked exercises. Whatever data the student enters, the script always displays an average mark of zero. Note that line numbers have been added for reference only – they are not part of the script 1 my $total = 0; 2 3 for(my $mk = 1; $mk <= 6; $mk++) 4 { 5     print "Enter mark $mk: "; 6     my $mark = ; 7     my $total += $mark; 8 } 9 10 my $average = $total / 6; 11 print "Average mark = $average.\n"; What is the problem? a. <= 6 on line 3 should be < b. The my on line 6 should not be there. *c. The my on line 7 should not be there. d.  Line 10 should show $mark / 6. e. A <= 6 on line 3 should be < B The my on line 6 should not be there. C The my on line 7 should not be there. D Line 10 should show $mark / 6. f. " g. " h. " i. " j. " General Feedback: A my declares the listed variables to be local (lexically) to the enclosing block, file, or eval. source http://perldoc.perl.org/functions/my.html Therefore the accumulated value of $total is not available to the following block where the average is calculated 632332 This Perl subroutine does not work correctly. It is supposed to work out whether or not a person qualifies for a discount and return the correct fare, discounted or not as the case may be. Children under 13, and elderly people 65 and over qualify for a discount. The subroutine never gives a discount Note that line numbers have been added for reference only – they are not part of the script 1 sub getDiscount 2 { 3   my $age = $_[0]; # First parameter is age 4   my $fare = $_[1]; # Second parameter is fare 5 6   if(($age < 13) && ($age >= 65)) 7   { 8   $fare *= 0.9; # 10% discount 9   } 11 12   return $fare; 13 } What is the problem? a. $_ on lines 3 and 4 should be @_. *b. The and (&&) on line 6 should be an or (||).. c. On line 6, the < should be replaced by <=. d. The return statement on line 12 should return $_[0]. e. f. " g. " h. " i. " General Feedback: No age can be less than 13 AND 65 and over. It should be OR. 632333 This Bash command was supposed to run a Perl script, exE1.pl from a University student's bin directory on the Cislinux server, passing it a command line argument which was a text file in the copy area. It was supposed to put the results into a text file in the student's bin directory. ~/bin/exE1.pl /copy/ex/exe-1.txt > /bin/exe1out.txt Why will this give an error? a. ~ cannot be used at the start of a line b. .txt is not a valid extension in linux c. > does not redirect output *d. Students cannot write to /bin e. f. " g. " h. " i. " General Feedback: The /bin directory has restricted access for security reasons to prevent students running unauthorised code on the server or modifyng or overwriting other programs in the directory 632758 The following is a skeleton for a method called "maxPos": public static int maxPos(int[] y, int first, int last) { /* This method returns the position of the maximum element in the * subsection of the array "y", starting at position * "first" and ending at position "last". */ int bestSoFar = first; xxx missing for loop goes here return bestSoFar; } // method maxPos   In this question, the missing "for" loop is to run "forwards". That is, the code should search the array from the low subscripts to the high subscripts. Given that, the correct code for the missing "for" loop is: a. for (int i=last; i>first; i--) { if ( y[i] < y[bestSoFar] ) { bestSoFar = i; } // if } // for *b. for (int i=first+1; i<=last; i++) { if ( y[i] > y[bestSoFar] ) { bestSoFar = i; } // if } // for c. for (int i=last; i>first; i--) { if ( y[i] > y[bestSoFar] ) { bestSoFar = i; } // if } // for d. for (int i=last; i>first; i--) { if ( y[i] < bestSoFar ) { bestSoFar = i } // if } // for e. for (int i=first+1; i<=last; i++) { if ( y[i] > bestSoFar ) { bestSoFar = i; } // if } // for f. " g. " h. " i. " j. " General Feedback: Explanation a) INCORRECT: if (y[i] < y[bestSoFar]) ... This is setting bestSoFar to the index of the SMALLEST number so far, but this is MAXPOS, it needs to find the highest! b) CORRECT: The code finds the maximum position in the array, searching forwards as intended. c) CORRECT: The loop is running backwards. d) INCORRECT: The if statement compares y[i] with the integer bestSoFar, not what is in the array at the position bestSoFar. c) INCORRECT: Same as c) and d) 632760 The following is a skeleton for a method called "maxPos": public static int maxPos(int[] y, int first, int last) { /* This method returns the position of the maximum element in the * subsection of the array "y", starting at position * "first" and ending at position "last". */ int bestSoFar = first; xxx missing for loop goes here      return bestSoFar; } // method maxPos  In this question, the missing "for" loop is to run "backwards".  That is, the code should search the array from the high subscripts to the low subscripts.  Given that, the correct code for the missing "for" loop is: a. for (int i=last; i>first; i--) { if ( y[i] < y[bestSoFar] ) { bestSoFar = i; } // if } // for b. for (int i=first+1; i<=last; i++) { if ( y[i] > y[bestSoFar] ) { bestSoFar = i; } // if } // for *c. for (int i=last; i>first; i--) { if ( y[i] > y[bestSoFar] ) { bestSoFar = i; } // if } // for d. for (int i=last; i>first; i--) { if ( y[i] < bestSoFar ) { bestSoFar = i } // if } // for e. for (int i=first+1; i<=last; i++) { if ( y[i] > bestSoFar ) { bestSoFar = i; } // if } // for f. " g. " h. " i. " j. " General Feedback: a) INCORRECT: if (y[i] < y[bestSoFar])  ... This is setting bestSoFar to the index of the SMALLEST number so far, but this is MAXPOS, it needs to find the highest! b) INCORRECT: The loop starts at [first+1] ... This loop is not running backwards. c) CORRECT: The code finds the maximum position in the array, searching backwards as intended. d) INCORRECT: The if statement compares y[i] with the integer bestSoFar, not what is in the array at the position bestSoFar. c) INCORRECT: Same as b) and d) 632765 The following code for a method "minVal" contains a logic error on a single line in the method body, on one of the four lines indicated by comments: public static int minVal(int[] y, int first, int last) { /* This method returns the value of the minimum element in the * subsection of the array "y", starting at position * "first" and ending at position "last". */ int bestSoFar = first; // line 1 for (int i=first+1; i<=last; i++) { if ( y[i] < bestSoFar ) // line 2        bestSoFar = y[i];             // line 3   } // for   return bestSoFar;                  // line 4 } // method minVal Which one of the four lines indicated by the comments contains the logic error? *a. line 1 b. line 2 c. line 3 d. line 4 e. f. " g. " h. " i. " General Feedback: line 1 should be int bestSoFar = y[first]; This correct code assigns the value at y[first] into bestSoFar. This is because the other lines are using bestSoFar to remember the best VALUE seen thus far. 632767 The following code for a method "minVal" contains a logic error on a single line in the method body, on one of the four lines indicated by comments: public static int minVal(int[] y, int first, int last) { /* This method returns the value of the minimum element in the * subsection of the array "y", starting at position * "first" and ending at position "last". */ int bestSoFar = first; // line 1 for (int i=first+1; i<=last; i++) { if ( y[i] > bestSoFar ) // line 2        bestSoFar = y[i];             // line 3   } // for   return bestSoFar;                  // line 4 } // method minVal Which one of the four lines indicated by the comments contains the logic error? a. line 1 *b. line 2 c. line 3 d. line4 e. f. " g. " h. " i. " General Feedback: line 2 should be if ( y[i] < bestSoFar ) The > sign in this buggy line is looking for the MAXIMUM value in the array. 632768 The following code for a method "minVal" contains a logic error on a single line in the method body, on one of the four lines indicated by comments: public static int minVal(int[] y, int first, int last) { /* This method returns the value of the minimum element in the * subsection of the array "y", starting at position * "first" and ending at position "last". */ int bestSoFar = y[first]; // line 1 for (int i=first+1; i<=last; i++) {     if ( bestSoFar < y[i] )          // line 2        bestSoFar = y[i];             // line 3   } // for   return bestSoFar;                  // line 4 } // method minVal Which one of the four lines indicated by the comments contains the logic error? a. line 1 *b. line 2 c. line 3 d. line 4 e. f. " g. " h. " i. " General Feedback: line 2 should be if ( bestSoFar >  y[i] ) The < sign in this buggy line is looking for the MAXIMUM value in the array. 632792 Does this compile? int x=7.0 a. yes *b. no c. It depends on the version of the compiler d. e. f. " g. " h. " General Feedback: This doesn't compile.  Although 7.0 could be converted to an integer without loss of precision, Java will not perform any conversion of a double to an int without an explicit cast by the programmer. 632793 What does this print? double d = 8 / 10; System.out.println(d); a. d *b. 0 c. 0.8 d. 2 e. None of the above f. " g. " h. " i. " j. " General Feedback: Integer division!  10 goes into 8 zero times, with a remainder of 8.  But since this is integer division, we only care about the quotient, which is zero! 632796 After the assignments x = 27 and y = 12, what is returned by x%y? a. 2 b. 2.25 *c. 3 d. 3.0 e. None of the above f. " g. " h. " i. " j. " General Feedback: The % operation performs "mod" (modular division), which means "do the division but return the remainder rather than the quotient". 632800 After the assignments x = 27 and y = 12, what is returned by not x <= y < x + y ? a. True *b. False c. 1 d. 0 e. An error f. " g. " h. " i. " j. " General Feedback: Python has an incredibly flexible syntax which allows expressions like x <= y < x + y (this statement would not compile in many other languages).  If we break this expression down: x+y is 39, so the expression is asking: not 12 <= 27 < 39 12 <= 27 < 39 is True, as 27 is in fact between 12 and 39.  And if we apply not to True, we get False. 632804 Which of the following assertions about the effect of int(my_var) is correct? a. It modifies the value of my_var, truncating it to make it an integer. b. It returns True if my_var is an integer; and False, otherwise. c. It produces an error if my_var is not an integer. *d. It returns the integer representation of the value associated with my_var, or an error e. None of the above f. " g. " h. " i. " j. " General Feedback: A is wrong because the int() function does not modify (mutate) its parameter B is wrong because the int() function does not return a Boolean, it returns an int() C is wrong because the int() function works with double/float inputs, which are not ints (although it will generate an error if invoked with a String, for example) D is correct!  int() converts ints and doubles to an int, truncating any extra information (i.e. the decimal portion of a double), and will generate an error if called with a non-numeric value 632806 The following methods are in Java's String class: int indexOf(int ch) - Returns the index within this string of the first occurrence of the specified character. int indexOf(int ch, int fromIndex) - Returns the index within this string of the first occurrence of the specified character, starting the search at the specified index. String substring(int beginIndex, int endIndex) - Returns a new string that is a substring of this string. The substring begins at the specified beginIndex and extends to the character at index endIndex - 1. Thus the length of the substring is endIndex-beginIndex. Given these specifications, what does the following code print? String s = "ichi,ni,san,go"; int i1 = s.indexOf(','); int i2 = s.indexOf(',', i1); System.out.println(s.substring(i1, i2)); *a. "ni" b. The empty string c. "," d. ",ni" e. ",ni," f. " g. " h. " i. " j. " General Feedback: i1 is 4, and so is i2, since the second indexOf call begins searching at the position of the same comma that was found by the first indexOf call. Calling substring with identical parameters yields a 0-length String. 632757 The following is a skeleton for a method called "minPos": public static int minPos(int[] y, int first, int last) { /* This method returns the position of the minimum element in the * subsection of the array "y", starting at position * "first" and ending at position "last". */ int bestSoFar = first; xxx missing for loop goes here return bestSoFar; } // method minPos   In this question, the missing "for" loop is to run "backwards". That is, the code should search the array from the high subscripts to the low subscripts. Given that, the correct code for the missing "for" loop is: a. for (int i=last; i>first; i--) { if ( y[bestSoFar] < y[i] ) { bestSoFar = i; } // if } // for b. for (int i=first+1; i<=last; i++) { if ( y[bestSoFar] < y[i] ) { bestSoFar = i; } // if } // for c. for (int i=last; i>first; i--) { if ( y[bestSoFar] < y[i] ) { bestSoFar = i; } // if } // for *d. for (int i=last; i>first; i--) { if ( y[i] < y[bestSoFar] ) { bestSoFar = i } // if } // for e. for (int i=first+1; i<=last; i++) { if ( bestSoFar < y[i] ) { bestSoFar = i; } // if } // for f. " g. " h. " i. " j. " General Feedback: a) INCORRECT: if (y[bestSoFar] < y[i])  ... This is setting bestSoFar to the index of the LARGEST number so far. b) INCORRECT: The loop starts at first+1 ...not running backwards. This loop is if (y[bestSoFar] < y[i])  ... This is setting bestSoFar to the index of the LARGEST number so far. c) INCORRECT: if (y[bestSoFar] < y[i])  ... This is setting bestSoFar to the index of the LARGEST number so far. d) CORRECT! e) INCORRECT: The if statement compares y[i] with the integer bestSoFar, not what is in the array at the position bestSoFar. The loop starts at first+1 ... This loop is not running backwards. 632756 The following is a skeleton for a method called "minPos": public static int minPos(int[] y, int first, int last) { /* This method returns the position of the minimum element in the * subsection of the array "y", starting at position * "first" and ending at position "last". */ int bestSoFar = first; xxx missing for loop goes here return bestSoFar; } // method minPos In this question, the missing "for" loop is to run "forwards". That is, the code should search the array from the high subscripts to the low subscripts. Given that, the correct code for the missing "for" loop is: a. for (int i=last; i>first; i--) { if ( y[bestSoFar] < y[i] ) { bestSoFar = i; } // if } // for *b. for (int i=first+1; i<=last; i++) { if ( y[bestSoFar] > y[i] ) { bestSoFar = i; } // if } // for c. for (int i=last; i>first; i--) { if ( y[bestSoFar] > y[i] ) { bestSoFar = i; } // if } // for d. for (int i=last; i>first; i--) { if ( bestSoFar < y[i] ) { bestSoFar = i } // if } // for e. for (int i=first+1; i<=last; i++) { if ( bestSoFar > y[i] ) { bestSoFar = i; } // if } // for f. " g. " h. " i. " j. " General Feedback: a) INCORRECT: The loop starts at last ... This loop is not running forwards. if (y[bestSoFar] < y[i])  ... This is setting bestSoFar to the index of the LARGEST number so far. b) CORRECT! c) INCORRECT: The loop starts at last ... This loop is not running forwards. d) INCORRECT: The loop starts at last ... This loop is not running forwards. The if statement compares y[i] with the integer bestSoFar, not what is in the array at the position bestSoFar. e) INCORRECT: The if statement compares y[i] with the integer bestSoFar, not what is in the array at the position bestSoFar. The loop starts at first+1 ... This loop is not running forwards. 632334 Assume this Perl subroutine is called like this: &compare(6, 4); sub compare {   my $ret = 0;   if($_[0] > $_[1])   {        $ret = 1;    }   elsif($_[0] < $_[1])   {        $ret = -1;   }   return $ret; } What will the subroutine return? a. -1 b. 0 *c. 1 d. undef e. f. " g. " h. " i. " General Feedback: 6 (the first parameter) is greater than 4 (the second parameter) so it returns 1 632343 In this question, you are given a Perl regular expression that you are required to evaluate.   There are no leading or trailing spaces in any of the text, nor are there any spaces in the regex. Identify the answer which best matches the regex below: /write/ a. Write your name at the top. b. Your writing is hard to read. *c. Did you write your ID on the paper? d. Who sends handwritten letters anymore? e. f. " g. " h. " i. " General Feedback: The expression generates a match for a sentence which contains the full string (case sensitive) given between the / / delimiters 632355 In this question, you are given a Perl regular expression that you are required to evaluate. There are no leading or trailing spaces in any of the text, nor are there any spaces in the regex. Identify the answer which best matches the regex below: /^[A-Z]\d/ a. ABC123 *b. X3g5. c. 3Y3 d. a5D2 e. f. " g. " h. " i. " General Feedback: Must begin with an upper case letter followed by a digit. 632468 An example of something that could be built using a ListADT is a structure that models: a. The undo operation in a word processor b. The back button in a web browser c. the customers waiting to pay at the university dining hall *d. an ordered to-do list  e. the computers at the university and the network that connects them f. " g. " h. " i. " j. " General Feedback: In ListADT, items can be added to or removed from the beginning, middle, or end of the structure. This is not well suited for choices A or B, where you need to remove only the most recently added item. For choice C, you need to ensure that the item removed is always the one that was stored first, so ListADT won't work there either.  Choice E would be best modeled by a nonlinear structure, and ListADT (like StackADT and QueueADT) is linear. That leaves Choice D. A list of things to do can be linear -- one thing after another -- and it may be desirable to add new items at the beginning, middle, or end, depending on how important they are.  632469 Identify the bug in the following code (if any): public boolean search(T item,MyList list){ // 1 this.search(item, list.getRest()); // 2} // 3 *a. There is no base case b. The problem is not self-similar c. There is a base case, but the problem does not get smaller d. There are no bugs e. None of the above f. " g. " h. " i. " j. " General Feedback: For a recursive solution to a problem, you need three things: (1) a base case (where the problem can be solved without recursion) (2) a self-similar problem (one that contains similar problem(s) to itself) (3) a way of making the problem smaller so you get closer to the base case Here (2) is satisfied -- lists contain smaller lists. (3) is satisfied by line 2 of the method. But there is no base case.  632475 Identify the bug in the following code (if any):  public boolean search(T item, ListADT list){ // 1 if (list == null) // 2 return false; // 3 else if (list.first()==item) // 4 return true; // 5 else // 6 return this.search(item, list); // 7 } // 8 a. There is no base case b. The problem is not self-similar *c. The problem does not get smaller d. There are no bugs e. None of the above f. " g. " h. " i. " j. " General Feedback: For a recursive solution to a problem, you need three things: (1) a base case (where the problem can be solved without recursion) (2) a self-similar problem (one that contains similar problem(s) to itself) (3) a way of making the problem smaller so you get closer to the base case Here (2) is satisfied -- lists contain smaller lists. (1) is satisfied by lines 2-5 of the method. But the recursive call in line 7 has the same parameter as the method itself (line 1), so the problem never gets smaller.  632476 The worst-case time complexity of the following Java method is: public int fibonacci (int n) { if (n == 1) return 1; else if (n == 2) return 1; else if (n > 2)       return fibonacci(n-1)+fibonacci(n-2); else return -1; // invalid input } a. O(1) b. O(log n) c. O(n) d. O(n2) *e. none of the above f. " g. " h. " i. " j. " General Feedback: This code is exponential, because it's doubly recursive.  632565 The worst-case time complexity of quicksort is: a. O(1) b. O(n) *c. O(n log n) d. O(n2) e. none of the above f. " g. " h. " i. " j. " General Feedback: In the worst case, every time we partition the list, we divide it into two parts, one of size 0 and one of size n-1 (plus the pivot element). This would happen, for example, if all the elements of the list are equal, or if the list is already sorted and you choose the left-most element as your pivot.  We'd have to partition the list n times, because each time the pivot element is the only one that gets put in place.  The first time we compare the pivot element with all n-1 other elements. The second time, we compare the new pivot with n-2 other elements, and so forth down to n - (n-1). So we do work proportional to 1+2+3+...+(n-1), or n(n-1)/2. 632743 The following is a skeleton for a method called "minVal": public static int minVal(int[] y, int first, int last) { /* This method returns the value of the minimum element in the * subsection of the array "y", starting at position * "first" and ending at position "last". */ int bestSoFar = y[first];   xxx missing for loop goes here   return bestSoFar; } // method minVal In this question, the missing "for" loop is to run "forwards". That is, the code should search the array from the low subscripts to the high subscripts. Given that, the correct code for the missing "for" loop is: a. for (int i=last; i>first; i--) { if ( y[i] < bestSoFar ) { bestSoFar = y[i]; } // if } // for b. for (int i=first+1; i<=last; i++) { if ( y[i] > y[bestSoFar] ) { bestSoFar = y[i]; } // if } // for c. for (int i=last; i>first; i--) { if ( y[i] > y[bestSoFar] ) { bestSoFar = i; } // if } // for d. for (int i=last; i>first; i--) { if ( bestSoFar < y[i] ) { bestSoFar = i } // if } // for *e. for (int i=first+1; i<=last; i++) { if ( y[i] < bestSoFar ) { bestSoFar = y[i]; } // if } // for f. " g. " h. " i. " j. " General Feedback: a) INCORRECT The loop starts at last ... This loop is not running backwards. b) INCORRECT: if  ( y[i] > y[bestSoFar] ) ... bestSoFar is storing a value, not a position.  In any event, this if condition is searching for the maximum value. c) INCORRECT: The loop starts at last ... This loop is not running backwards. if  ( y[i] > y[bestSoFar] ) ... bestSoFar is storing a value, not a position.  In any event, this if condition is searching for the maximum value. bestSoFar = i; ... bestsoFar is being set to the position, not the value. d) INCORRECT: The loop starts at last ... This loop is not running backwards. if ( bestSoFar < y[i] ) ... this if condition is searching for the maximum value. bestSoFar = i; ... bestsoFar is being set to the position, not the value. e) CORRECT! 632753 The following is a skeleton for a method called "minVal": public static int minVal(int[] y, int first, int last) { /* This method returns the value of the minimum element in the * subsection of the array "y", starting at position * "first" and ending at position "last". */ int bestSoFar = y[first]; xxx missing for loop goes here return bestSoFar; } // method minVal   In this question, the missing "for" loop is to run "backwards". That is, the code should search the array from the high subscripts to the low subscripts. Given that, the correct code for the missing "for" loop is: *a. for (int i=last; i>first; i--) { if ( y[i] < bestSoFar ) { bestSoFar = y[i]; } // if } // for b. for (int i=first+1; i<=last; i++) { if ( y[i] > y[bestSoFar] ) { bestSoFar = y[i]; } // if } // for c. for (int i=last; i>first; i--) { if ( y[i] > y[bestSoFar] ) { bestSoFar = i; } // if } // for d. for (int i=last; i>first; i--) { if ( bestSoFar < y[i] ) { bestSoFar = i } // if } // for e. for (int i=first+1; i<=last; i++) { if ( y[i] > bestSoFar ) { bestSoFar = i; } // if } // for f. " g. " h. " i. " j. " General Feedback: a) CORRECT! b) INCORRECT: The loop starts at first+1 ... This loop is not running backwards. if  ( y[i] > y[bestSoFar] ) ... bestSoFar is storing a value, not a position.  In any event, this if condition is searching for the maximum value. c) INCORRECT: if  ( y[i] > y[bestSoFar] ) ... bestSoFar is storing a value, not a position.  In any event, this if condition is searching for the maximum value. bestSoFar = i; ... bestsoFar is being set to the position, not the value. d) INCORRECT: if ( bestSoFar < y[i] ) ... this if condition is searching for the maximum value. bestSoFar = i; ... bestsoFar is being set to the position, not the value. e) INCORRECT: The loop starts at first+1 ... This loop is not running backwards. if  ( y[i] > y[bestSoFar] ) ...  this if condition is searching for the maximum value. bestSoFar = i; ... bestsoFar is being set to the position, not the value. 632754 The following is a skeleton for a method called "maxVal": public static int maxVal(int[] y, int first, int last) { /* This method returns the value of the maximum element in the * subsection of the array "y", starting at position * "first" and ending at position "last". */ int bestSoFar = y[first]; xxx missing for loop goes here return bestSoFar; } // method maxVal In this question, the missing "for" loop is to run "forwards". That is, the code should search the array from the low subscripts to the high subscripts. Given that, the correct code for the missing "for" loop is: a. for (int i=last; i>first; i--) { if ( y[i] < bestSoFar ) { bestSoFar = y[i]; } // if } // for *b. for (int i=first+1; i<=last; i++) { if ( y[i] > bestSoFar ) { bestSoFar = y[i]; } // if } // for c. for (int i=last; i>first; i--) { if ( y[i] > y[bestSoFar] ) { bestSoFar = i; } // if } // for d. for (int i=last; i>first; i--) { if ( y[i] < bestSoFar ) { bestSoFar = i; } // if } // for e. for (int i=first+1; i<=last; i++) { if ( y[i] > bestSoFar ) { bestSoFar = i; } // if } // for f. " g. " h. " i. " j. " General Feedback: a) INCORRECT: The loop starts at  last ... it is NOT running forward. if (y[i] < y[bestSoFar]) ... This is setting bestSoFar to the value of the SMALLEST number so far. b) CORRECT! c) CORRECT: The loop starts at  last ... it is NOT running forward. if ( y[i] > y[bestSoFar] ) ... bestSoFar is storing the minimum value, NOT the position of the minimum value. bestSoFar = i ... bestSoFar is being set to a postion, not the value at that poisition.   d) INCORRECT: The loop starts at  last ... it is NOT running forward. if (y[i] < bestSoFar) ... This is lokking for theSMALLEST value. bestSoFar = i ... bestSoFar is being set to a postion, not the value at that position.  e) INCORRECT: bestSoFar = i  ... bestSoFar is being set to a postion, not the value at that position. 632808 Suppose you have the following partial code to sum up an array of ints: int sum(int[] nums) { int sum = 0; ... return sum; }   Which of the following does not correctly complete this method? a. for (int i = 0; i < nums.length; ++i) sum += nums[i]; b. for (int i : nums) sum += i; *c. for (int i = nums.length - 1; i >= 0; ++i) sum += nums[i]; d. int i = 0; while (i < nums.length) { sum += nums[i]; ++i; } e. f. " g. " h. " i. " General Feedback: It appears in this solution that we are iterating through the list in reverse. However, we incorrectly increment the iterator, leading to an IndexOutOfBoundsException.