The grades have been posted to VIP. This site will remain up until the next time I teach this class.
If you are a visitor to this site and want to take a free intro to Java class, simply watch the 62 Java tutorial videos (or, watch them without ads at udemy.com) and do the 25 Lab assignments (2-hour programming projects) and 10 homework assignments (longer programming projects) to get some practice. You can then the tests to see how much you have learned. Have fun!
Also, if you want to leave any advise to future students, you can do so in the comments to this post.
Wednesday, May 2, 2012
Monday, April 30, 2012
Final Tests
These are the final tests. If you want your graded final just send me an email and I will tell you when I'll be in my office so you can pick it up.
The other test:
- (10%) Implement a method that prints out all the numbers between 1 and 10,000,000 except that if the number is a multiple of 3 you will print "GO", if it is a multiple of 7 you print "Cocky" and if its a multiple of both 3 and 7 you print "Go Gamecocks". That is, the first part of the output looks like
1 2 GO 4 5 GO Cocky 8 GO 10 11 GO 13 Cocky GO 16 17 GO 19 20 Go Gamecocks 22 ...and so on...
- (10%) Implement the method
int add(String a, String b)
(notice, a and b are String) which adds the two arguments and returns the sum, but only if the two are integers. If they are not then it returns 0. For exampleadd("5", "3") //returns 8 add("bob", "3") //returns 0 add("bob", "alice") //returns 0 add("1.456", "8") //returns 0
- (10%) Implement a method
String myCode(boolean[] msg)
which translates the boolean array into a string using the following
code:
true → E false true → T false false true → A false false false → b
For example,boolean[] m1 = {true}; System.out.println(myCode(m1)); //prints "E" boolean[] m2 = {false, true, false, false, false}; System.out.println(myCode(m2)); // "Tb" boolean[] m3 = {true, false, false, true, false, false, false}; System.out.println(myCode(m3)); // "EAb" boolean[] m4 = {false, false, false, false, false, false, false, true}; System.out.println(myCode(m4)); // "bbT"
- (10%) Given that you have
public enum SmartPhone {iphone3g, iphone4, iphone4s, android};
Implement a method that takesSmartPhone
as an argument and returns its price, as given by the following table
Item Price iphone 3g 300 iphone 4 349 iphone 4s 400 android 200 - (10%) What does the following program printout?
public class PrintoutExceptions { public static String xkcd(int x) throws Exception{ if (x < 0){ return "Magnets"; } else if (x < 5){ return "Sticks"; } else if (x % 2 == 1){ return "Number:" + Integer.toString(x); } else throw new Exception("Caramba"); } public static void main(String[] args) { int[] a = {-5,0,1,3,7,8}; for (int i = 0; i < a.length; i++) { try { System.out.println(i + "-" + xkcd( a[i] )); } catch (Exception e) { System.out.println("Ooops"); } } } }
- (10%) Does the program below run or crash? If it runs, show what it prints out when it runs. If it crashes, explain why.
public class A { public String toString() { return "I am A"; } } public class B extends A { public String toString() { return "I am B"; } } public class C extends A { public String toString(){ return "I am C"; } } public class Q6 { public static void main(String[] args) { A[] as = new A[3]; as[0] = new A(); as[1] = new B(); as[2] = new C(); for (A a : as) { System.out.println(a.toString()); } } }
- (10%) Given the following code:
public class Person { private int money; private Person[] friends; public int minDistanceToMillionaire(){ //TODO: implement this method } }
implement the missing method using recursion, which will return the distance to the closest millionaire. For example, if the person is a millionaire (hasmoney >= 1,000,000
) then it will return 0. Otherwise, if the person has a friend who is a millionaire then it will return 1. Otherwise, if the person has a friend who has a friend that is a millionaire then it will return 2, and so on.
You can assume that the graph does not have loops in it. That is, you will never see the same Person twice.
- (10%) Assume that you are given a class called
Person
which has a method calledint distanceTo(Person other)
that returns the distance between where this person lives and whereother
lives.
Implement a methodArrayList<Person> hasFriendsCloserThan(HashMap<Person, HashSet<Person>> socialNet, int n)
that takes as input asocialNet
, which is a mapping between a Person and his friends, and returns the list of all the people who have at least one friend that lives a distance of less thann
away from them.
The other test:
- (10%)Implement a method that returns the sum of all the odd numbers between 1 and 1,000,000 except that those that are multiples of both 3 and 5 count double, while those that are multiples of either just 3 or just 3 don't get counted. For example, if the sum was just between 1 and 20 then you would return 98 because that is the sum of 1 + 7 + 11 + 13 + (15*2) + 17 + 19.
- (10%) Implement a method
int ssnToInt(String ssn)
which, when given a a String represenation of a social security number that looks like "123-45-6789" returns the integer that represents that number, namely 123456789. If given a String that does not match then it returns -1. Specifically,ssnToInt("123-45-6789") //returns 123456789 ssnToInt("123456789") //returns -1 ssnToInt("12304506789") //returns -1 ssnToInt("12389") //returns -1 ssnToInt("7aa-90-879B") //returns -1
- (10%) Implement a method
String compress(String dna)
which takes as input a String that contains only the characters A,C,G, and T, and then compresses the string by counting how many times each one appears consecutively. If a character appears more than once in a row the whole sequence is replaced by the character followed by the number of times it appeared in a row. For example:
String d1 = "ACGT"; System.out.println(compress(d1)); //prints ACGT String d2 = "AAAAACGT"; System.out.println(compress(d2)); //prints A5CGT String d3 = "CCCTTTTAGGGGG"; System.out.println(compress(d3)); //prints C3T4AG5 String d4 = "AAAAAA"; System.out.println(compress(d4)); //prints A6
- (10%) Given that you have
public enum Tablet {ipad, ipad2, newipad, galaxy};
Implement a method that takes aSmartPhone
and returns its price, as given by the following table
Item Price ipad 300 ipad2 400 newipad 600 galaxy 300
- (10%) What does the following program printout?
public class PrintoutExceptions { public static String onion(int x) throws Exception{ if (x % 2 == 1){ return "Carrot"; } else if (x <= 0){ return "Sticks"; } else if (x < 5){ return "Number:" + Integer.toString(x); } else throw new Exception("Caramba"); } public static void main(String[] args) { int[] a = {-5,0,1,3,7,8}; for (int i = 0; i < a.length; i++) { try { System.out.println(i + "-" + onion( a[i] )); } catch (Exception e) { System.out.println("Ooops"); } } } }
- (10%) Does the program below run or crash? If it runs, show what it prints out when it runs. If it crashes, explain why.
public class A { public String toString() { return "I am A"; } } public class B extends A { public String toString() { return "I am B"; } } public class C extends A { public String toString(){ return "I am C"; } } public class Q6 { static void foo(A a){ System.out.println(a.toString()); } public static void main(String[] args) { foo(new A()); foo(new B()); foo(new C()); } }
- (10%) Given the following code:
public class Person { private Person mother; private Person father; public int generationsToOldestKnownAncestor(){ //TODO: implement this method } }
implement the missing method using recursion, which will return the distance to the oldest known ancestor. If we don't know a Person's mother or father we set those properties tonull
. For example, if a Person has both mother and father asnull
then the method should return 0. But, if the person has only a mother, who in turn has both mother and father set to null then it should return 1, and so on.
You can assume that the graph does not have loops in it. That is, you will never see the same Person twice.
- (10%) Implement the method
String topPerson(HashMap<String, ArrayList<Double>> gradeMap)
which takes as input agradeMap
, which is a mapping from a student's name to his list of grades, and which returns the name of the student with the highest grade. For example, if Alice has grades of 10, 20, 88, and Bob has grades of 77, 55, then it would return Alice because of her 88.
Final Test Point Distribution
The final test point distribution is below, these are points not grades. You will receive the actual grade along with your class grade in an email that I have just sent.
data:image/s3,"s3://crabby-images/e10ec/e10ecd58b8dcc7748000b93dfa5c868e37097cb1" alt=""
Wednesday, April 18, 2012
Lab 25: Social Zombies
In this lab you will write a program to simulate the spread of a virus among a population. Our virus of choice is the zombie virus. We assume that each person has the same number of friends, all chosen randomly from the population. Then, at each time step, all zombie persons will randomly choose one of their friends (zombie or not) and bite him. If the friend was not a zombie he will turn into a zombie. Zombie bites on zombies do nothing.
More specifically, for this lab you will implement a
The
The
This is the last lab for the year. See you at the Final!
More specifically, for this lab you will implement a
Person
class and a Graph
class.The
Person
has (at least, you will need more methods):- a data member
friends
that holds all his friends (which are of typePerson
) - a
boolean zombie
which tells us if he is a zombie
The
Graph
class has (at least, you will need more methods)- a
people
data member which holds all the people - a
getRandomPerson()
which returns a random person frompeople
- a
getRandomOther(Person p)
which returns a random person frompeople
that is notp
- a
makeFriends(int x)
which gives each person in the graphx
randomly chosen friends - a
infectOne()
method which infects (sets as a zombie) one random person - a
go()
method which runs one step of the simulation: all the zombies bite one of their friends at random
main
public static void main(String[] args) { Scanner keyboard = new Scanner(System.in); System.out.print("Enter the number of people:"); int numPeople = keyboard.nextInt(); System.out.print("Enter the number of friends each person has:"); int numFriends = keyboard.nextInt(); Graph g = new Graph(numPeople); g.makeFriends(numFriends); //print it out, for testing. //System.out.println(g); g.infectOne(); int day = 1; int count = 0; do { count = g.getNumZombies(); System.out.println("Day " + day + ": Zombie count is " + count); g.go(); day++; } while (count < numPeople); System.out.println("Zombieland"); }will print out something like:
Enter the number of people:100 Enter the number of friends each person has:5 Day 1: Zombie count is 1 Day 2: Zombie count is 2 Day 3: Zombie count is 4 Day 4: Zombie count is 10 Day 5: Zombie count is 21 Day 6: Zombie count is 35 Day 7: Zombie count is 59 Day 8: Zombie count is 77 Day 9: Zombie count is 89 Day 10: Zombie count is 91 Day 11: Zombie count is 96 Day 12: Zombie count is 97 Day 13: Zombie count is 97 Day 14: Zombie count is 99 Day 15: Zombie count is 100 ZombielandNote that if you use a small number of friends (say, 2) then it might get into an infinite loop with a fixed number of zombies. This is because none of the zombies have a friend that is not a zombie (what you have then are 2 or more disconnected graphs, in graph theoretic terms). As always, turn it in on the dropbox.cse.sc.edu. You have an extra 48 hours to finish this lab, if you can't finish it during lab.
This is the last lab for the year. See you at the Final!
Test 3 Points Distribution
The points distribution for Test 3 is below. These are points, not grades. I will talk about grades in class.
data:image/s3,"s3://crabby-images/668ef/668ef3a3001388a7f40a76f3548584640468d2a9" alt=""
Monday, April 16, 2012
Test 3
Here are the two tests, with some sample solutions.
And, the other one:
- (25%) What does the following program print out when run?
public class Q1 {
public static boolean swing (int strength) throws Exception{ if (strength < 5) throw new Exception("Too weak"); if (strength > 10) return false; return true; }public static void main(String[] args) { int[] strengths = {5,6,-1,12}; for (int s : strengths) { try { if (swing(s)) System.out.println("Homerun"); else System.out.println("Strike!"); } catch (RuntimeException e){ System.out.println("You are OUT!"); } catch (Exception e) { System.out.println(e.getMessage()); } } System.out.println("Done."); } }
- (25%)Given a text file called sales.txt which contains data that looks like
aba 55.99 akdkd8dj 12.95 iwjwhe 4 Iji8keJl 44.99 ijdddawe 10.00 ...and so on for many more rows...
where each row represents one item that is for sale in a store. The first column is a String that uniquely identifies the item and the second column is a double that represents the price of the item. Write a program which
- Implements a simple
Item
class that can represent one item. - In the
main
, your program reads the complete contents of the file sales.txt into anArrayList<Item>
variable calleditems
.
Answer:
public class Item { private String sku; private double price; public Item(String sku, double price){ this.sku = sku; this.price = price; } public String toString(){ return sku + " " + price; } public static void main(String[] args) { try { Scanner in = new Scanner(new FileInputStream("sales.txt")); ArrayList<Item> items = new ArrayList<Item>(); while (in.hasNext()){ String sku = in.next(); double price = in.nextDouble(); items.add(new Item(sku,price)); } System.out.println(items); } catch (FileNotFoundException e) { e.printStackTrace(); } } }
- Implements a simple
- (25%) Read over the code below and implement the empty method.
import java.util.ArrayList; public class Q3 { private ArrayList<Q3> data; private Integer number; public Q3(Integer number){ data = new ArrayList<Q3>(); this.number = number; } public void add(Q3 q){ data.add(q); } public void add(Integer number){ data.add(new Q3(number)); } /** * Calculates and returns the sum of all even numbers in * this object or in any of the ones in 'data', and so on * recursively. * @return The sum. */ public int sumEven(){ //TODO: implement this method int result = 0; if (number % 2 == 0) result = number; for (Q3 q: data){ result += q.sumEven(); } return result; } public static void main(String[] args) { Q3 q = new Q3(0); Q3 first = new Q3(1); q.add(first); Q3 second = new Q3(2); q.add(second); q.add(3); q.add(4); first.add(8); second.add(5); System.out.println(q.sumEven()); } }
For example, when the main above is run it should print out14
- (25%) Implement a method
String mostFrequent(String s)
which returns the 3-character substring that appears most frequently ins
, or one of the most frequent if there is a tie. For examplemostFrequent("AABABA") returns "ABA" because "ABA" appears twice mostFrequent("AAAAAB") returns "AAA" because it appears 3 times mostFrequent("ATATATA") returns "ATA" because it appears 3 times
Answer:public static String mostFrequent(String seq){ HashMap<String, Integer> count = new HashMap<String, Integer>(); int max = 0; String maxKey = null; //add them all for (int i = 0; i <= seq.length() - 3; i++) { String key = seq.substring(i,i+3); if (count.containsKey(key)) count.put(key, count.get(key) + 1); else count.put(key, 1); if (count.get(key) > max){ max = count.get(key); maxKey = key; } } return maxKey; }
And, the other one:
- (25%) What does the following program print out when run?
public class Q1 {
public static boolean pitch (String type) throws Exception { if (type.startsWith("f")) return true; if (type.startsWith("c")) return false; if (type.startsWith("x")) throw new Exception("Oops"); return true; }public static void main(String[] args) { String[] types = {"fast", "foo", "curve", "xoom"}; for (String t : types) { try { if (pitch(t)) System.out.println("Hit"); else System.out.println("Miss"); } catch (RuntimeException e){ System.out.println("You hit the umpire"); } catch (Exception e) { System.out.println(e.getMessage()); } } System.out.println("Done."); } }
- (25%) Given a text file called points.txt which contains data that looks like
1.44 5.666 12.999 0 9.163 3.1415 6 7 5 6.999 ...and so on for many more rows...
where each row represents the x and y coordinates of a point in 2-dimensional space. Both columns are doubles. Write a program which
- Implements a simple
Point
class that can represent one point in space. - In the
main
, your program reads the complete contents of the file points.txt into anArrayList<Point>
variable calledpoints
.
Answer:
public class Point { private double x; private double y; public Point(double x, double y){ this.x = x; this.y = y; } public String toString(){ return "(" + x + "," + y + ")"; } public static void main(String[] args) { try { Scanner in = new Scanner(new FileInputStream("points.txt")); ArrayList<Point> points = new ArrayList<Point>(); while (in.hasNext()){ double x= in.nextDouble(); double y = in.nextDouble(); points.add(new Point(x,y)); } System.out.println(points); } catch (FileNotFoundException e) { e.printStackTrace(); } } }
- Implements a simple
- (25%) Read over the code below and implement the empty method.
import java.util.ArrayList; public class Q3 { private ArrayList<Q3> data; private Integer number; public Q3(Integer number){ data = new ArrayList<Q3>(); this.number = number; } public void add(Q3 q){ data.add(q); } public void add(Integer number){ data.add(new Q3(number)); } /** * Find if x is either equal to number, or equal to one of * the numbers in 'data', and so on recursively. * @param x the number we are looking for * @return true if x is there, false otherwise. */ public boolean find(Integer x){ //TODO: implement this method if (number == x) return true; for (Q3 q : data) { if (q.find(x)) return true; } return false; } public static void main(String[] args) { Q3 q = new Q3(0); Q3 first = new Q3(1); q.add(first); Q3 second = new Q3(2); q.add(second); q.add(3); q.add(4); first.add(8); second.add(5); System.out.println(q.find(3)); System.out.println(q.find(5)); System.out.println(q.find(10)); } }
For example, when the main above is run it should print
outtrue true false
- (25%) Implement a method
String mostPoints(String[] name, int[] points)
which returns the name that has the most points, assuming that for all indecesi
we have thatpoints[i]
has the number of points forname[i]
. For exampleString[] name1 = {"a", "b", "c", "a", "b", "a"}; int[] points1 = { 1, 2, 7, 4 , 3, 1}; mostPoints(name1, points1); //returns "c" because it has 7 // points and "a" has 6, and "b" has 5. String[] name2 = {"a", "b", "c", "a", "b", "a"}; int[] points2 = { 5, 2, 7, 4 , 3, 1}; mostPoints(name2, points2); //returns "a" String[] name3 = {"a", "a", "a", "a", "b", "c"}; int[] points3 = { 1, 1, 1, 1 , 3, 2}; mostPoints(name3, points3); //returns "a"
Answer:public static String mostPoints(String[] name, int[] points){ HashMap<String, Integer> count = new HashMap<String, Integer>(); int max = 0; String maxKey = null; for (int i = 0; i < points.length; i++) { if (count.containsKey(name[i])) count.put(name[i], points[i] + count.get(name[i])); else count.put(name[i], points[i]); if (count.get(name[i]) > max){ max = count.get(name[i]); maxKey = name[i]; } } return maxKey; }
Wednesday, April 11, 2012
Lab 24: Cards
For this lab you will implement two classes, a
Card
and a Hand
class. The
Card
represt a card, which has a number and a Suit, there is also a Joker. The toString()
method of this class will return the card's name in English, as shown below.The
Hand
class uses a HashSet<Card>
to hold a set of cards, which starts out empty. It has an add(Card c)
which adds Card c to the hand. It has a methods makeFullDeck()
which populates the hand with a full deck of cards (one Joker). Finally, you will implement a
public static HashSet<Hand> getAllHands(int numCards, Hand h)
which returns the set of all the hands of numCards cards which can be created using the cards in hand h. You can do this the following recursive algorithm:getAllHands(int numCards, Hand h) if numCards is 1 then return the set of hands of just 1 card from h hand = h.clone() result = empty set of hands foreach card in hand: remove card from hand allOtherHands = getAllHands(numCards - 1, hand) add card to every hand in allOtherHands add allOtherHands to result return result
For example, the following main
public static void main(String[] args){ Card twoClubs = new Card(2,Card.Suit.Clubs); System.out.println(twoClubs); Card oneSpades = new Card(1,Card.Suit.Spades); System.out.println(oneSpades); Card joker = new Card(0,Card.Suit.Hearts); //0 is the Joker System.out.println(joker); Card kingDiamonds = new Card(13, Card.Suit.Diamonds); System.out.println(kingDiamonds); Hand mine = new Hand(); mine.add(twoClubs); mine.add(oneSpades); mine.add(joker); //0 is Joker mine.add(kingDiamonds); System.out.println("My hand is " + mine); //All the possible ways to pick 2 cards from mine System.out.println("All the possible ways to pick 2 cards from my hand are:"); HashSet<Hand> pickTwo = getAllHands(2, mine); for (Hand hand : pickTwo) { System.out.println(hand); } System.out.println("Thus, there are " + pickTwo.size() + " possible ways."); System.out.println(""); //All the possible ways to pick 3 cards from mine System.out.println("All the possible ways to pick 3 cards from my hand are:"); HashSet<Hand> pickThree = getAllHands(3, mine); for (Hand hand : pickThree) { System.out.println(hand); } System.out.println("Thus, there are " + pickThree.size() + " possible ways."); System.out.println(""); Hand deck = new Hand(); deck.makeFullDeck(); //makes a full deck, with 1 Joker. System.out.println("The full deck is:"); System.out.println(deck); System.out.println("All the possible ways to pick 2 cards from a full duck are:"); HashSet<Hand> a = getAllHands(2, deck); //this will take a few seconds to run for (Hand hand : a) { //and a minute to print System.out.println(hand); } System.out.println("Thus, there are " + a.size() + " possible ways."); System.out.println("All the possible ways to pick 4 cards from a full duck are:"); a = getAllHands(4, deck); //this will take a few seconds to run for (Hand hand : a) { //and a minute to print System.out.println(hand); } System.out.println("Thus, there are " + a.size() + " possible ways."); }
Should print out:
2 of Clubs Ace of Spades Joker King of Diamonds My hand is (Ace of Spades, King of Diamonds, 2 of Clubs, Joker) All the possible ways to pick 2 cards from my hand are: (Ace of Spades, 2 of Clubs) (King of Diamonds, 2 of Clubs) (Ace of Spades, King of Diamonds) (King of Diamonds, Joker) (Ace of Spades, Joker) (2 of Clubs, Joker) Thus, there are 6 possible ways. All the possible ways to pick 3 cards from my hand are: (Ace of Spades, King of Diamonds, Joker) (Ace of Spades, King of Diamonds, 2 of Clubs) (Ace of Spades, 2 of Clubs, Joker) (King of Diamonds, 2 of Clubs, Joker) Thus, there are 4 possible ways. The full deck is: (4 of Spades, 5 of Clubs, Queen of Spades, 8 of Spades, 8 of Clubs, Jack of Spades, Ace of Diamonds, Ace of Hearts, Queen of Clubs, 10 of Clubs, 3 of Spades, Queen of Diamonds, King of Spades, Ace of Spades, 6 of Diamonds, 9 of Clubs, King of Hearts, 7 of Clubs, 9 of Hearts, 4 of Hearts, Jack of Hearts, 3 of Diamonds, 4 of Diamonds, 10 of Hearts, Jack of Diamonds, 5 of Spades, Joker, 2 of Hearts, 9 of Diamonds, Ace of Clubs, 3 of Clubs, Jack of Clubs, King of Clubs, 5 of Diamonds, 10 of Diamonds, 7 of Diamonds, 8 of Hearts, King of Diamonds, 6 of Hearts, 9 of Spades, 7 of Spades, 6 of Clubs, 4 of Clubs, 3 of Hearts, 2 of Diamonds, 10 of Spades, 8 of Diamonds, 2 of Clubs, 6 of Spades, 5 of Hearts, Queen of Hearts, 2 of Spades, 7 of Hearts) All the possible ways to pick 2 cards from a full duck are: (Queen of Spades, Ace of Spades) (Jack of Clubs, 5 of Hearts) (2 of Diamonds, 5 of Clubs) ...and so on... (King of Hearts, 3 of Diamonds) (Jack of Clubs, 7 of Hearts) (5 of Diamonds, Ace of Clubs) Thus, there are 1378 possible ways. All the possible ways to pick 4 cards from a full duck are: (10 of Spades, 5 of Diamonds, Jack of Diamonds, Ace of Hearts) (10 of Spades, 9 of Spades, Jack of Hearts, 7 of Diamonds) (2 of Clubs, 7 of Hearts, Jack of Diamonds, 4 of Diamonds) ...and so on... (6 of Diamonds, 9 of Diamonds, Ace of Hearts, 9 of Clubs) (6 of Diamonds, 8 of Hearts, 7 of Clubs, King of Spades) (King of Diamonds, 9 of Hearts, Jack of Hearts, 5 of Spades) (Jack of Clubs, 10 of Hearts, 9 of Diamonds, 4 of Clubs) (2 of Clubs, 4 of Spades, 4 of Clubs, 9 of Clubs) Thus, there are 292825 possible ways.
Getting the recursive algorithm working might take you longer than the allotted lab time, so you can turn in this lab within 48 hours of the end time of your lab, in the dropbox.cse.sc.edu.
Hint: You will probably need to use an
Iterator
, because you need to Iterator.remove()
.
Lab and Homework Solutions
Here are my solutions to past labs:
and homeworks:
- Lab 16: Iterator
- Lab 17: Exceptions
- Lab 18: Pride and Prejudice
- Lab 19: Sierpinsky
- Lab 20: Stock Plot
- Lab 21: Disjoint Sets
- Lab 22: Thumbs Up
- Lab 23: Linked List
and homeworks:
CodingBat Bonus
As in the previous tests, you will get an extra point in Test 3 for each one of the following codingbat sections you finish before Monday at noon: AP-1, Recursion-1 and Recursion-2. Remember that to get credit you have to login to coding bat, then click 'prefs' and under 'Share To' put jmvidal@gmail.com, also set your name to the name as it appears on my roster.
Also remember to study all of Chapters 9--12, as they cover material that is not in the codingbat questions but will be on the test. Do the programming problems from the back of these chapters.
Also remember to study all of Chapters 9--12, as they cover material that is not in the codingbat questions but will be on the test. Do the programming problems from the back of these chapters.
Sample Programming Questions
Below are a few programming questions that are good practice for the next test and the final (some of these questions are from past topcoder competitions. We will be solving (some of) these in class today.
- Implement a method
minCycle
that takes a Strings
as an argument and returns the shortest string which when repeated generatess
. For example:
minCycle("aaaaaaaa") returns "a" minCycle("ababababab") returns "ab" minCycle("ababa") returns "ababa" minCycle("12345") returns "12345" minCycle("123123123") returns "123"
- Implement a method
blackJackWinner(int[] points)
which takes as an argument the points each player on the table ended up with and return the index of the winner, or -1 if there is a tie. Any player with more than 21 points loses. Of the remaining players, the one with the most points wins. If there is a tie, or if there are no winners, return -1. For example:
blackJackWinner({1,2}) returns 1 blackJackWinner({1,2,3,3,2}) returns -1 blackJackWinner({21,22,19}) returns 0 blackJackWinner({1,20,15,22}) returns 1 blackJackWinner({22,23,25}) returns -1 //no winners
- Implement a method
int[] findTeam(boolean[][] canWork)
which takes as input a 2-dimensional array of booleans that tells us wether a particular employee (row) can work with another (col) and returns an array containing the indexes of 3 employees that can work together in a team, or null if there is none. That iscanWork[2][3]
is true if employee 2 can work with 3. For example:
findTeam({true,true,true}, {true,true,true}, {true,true,true}) returns {0,1,2} findTeam({true,true,true}, {false,true,true}, {true,true,true}) returns null findTeam({true,false,true,true}, {true,true,true,true}, {true,true,true,true}, {true,true,true,true}) returns {1,2,3} findTeam({true,false,true,true}, {true,true,false,true}, {true,true,true,true}, {true,true,true,true}) returns null
- Implement a method
String decrypt(String spell)
which decrypts the 'spell' by reversing the order in which the 'A' and 'Z' characters appear in it, but leaves all other characters in the same position. For example:
decrypt("AZ") returns "ZA" decrypt("ABZ") returns "ZBA" decrypt("ABACDA") returns "ABACDA" decrypt("ZBACDA") returns "ABACDZ" decrypt("AAATZZ") returns "ZZATAA"
Monday, April 9, 2012
Lab 23: Linked List
The code below is a slightly modified version of Listing 12.12 from your textbook. It implements a basic linked list. For this lab you will implement the missing methods in the code below.
Add your methods so that when we run that main it prints out:
As always, turn it in on the dropbox.cse.sc.edu.
/** * LinkedList.java * * @author Jose M VidalA slight modification of Listing * 12.12 from the textbook. Created on Apr 5, 2012 * */ public class LinkedList<T> { /** * The ListNode is a private inner class of the LinkedList. */ private class ListNode { /** * The data this node holds */ private T data; /** * A reference to the next node on the list. next is null if this node * is the tail. */ private ListNode next; public ListNode() { next = null; data = null; } public ListNode(T data, ListNode next) { this.data = data; this.next = next; } public T getData() { return data; } public ListNode getNext() { return next; } } private ListNode head; public LinkedList() { head = null; } /** * Adds data at the head of the list. * * @param data */ public void add(T data) { head = new ListNode(data, head); } /** * Adds data to the end of the list. * * @param data */ public void append(T data) { //TODO: add your code here } /** * Insert data into list so that it is at position index. If index is too * large, or small, we throw an exception. * * @param index * @param data * @throws Exception */ public void insert(int index, T data) throws Exception { //TODO: add your code here } /** * Turns this list into a pretty String, like: 1 -> 5 -> 8 -> null */ public String toString() { //TODO: add your code here } public static void main(String[] args) { LinkedList<Integer> l = new LinkedList<Integer>(); l.add(13); l.add(5); l.add(8); System.out.println(l); l.append(55); l.append(21); System.out.println(l); System.out.println("insert 33 at position 3"); try { l.insert(3, 33); } catch (Exception e) { e.printStackTrace(); } System.out.println(l); System.out.println("insert 2 at position 0"); try { l.insert(0, 2); } catch (Exception e) { e.printStackTrace(); } System.out.println(l); System.out.println("insert 77 at position 7"); try { l.insert(7, 77); } catch (Exception e) { e.printStackTrace(); } System.out.println(l); System.out.println("try to insert 100 at position 100"); try { l.insert(100, 100); } catch (Exception e) { System.out.println("ERROR:" + e.getMessage()); } System.out.println(l); } }
Add your methods so that when we run that main it prints out:
8 -> 5 -> 13 -> null 8 -> 5 -> 13 -> 55 -> 21 -> null insert 33 at position 3 8 -> 5 -> 13 -> 33 -> 55 -> 21 -> null insert 2 at position 0 2 -> 8 -> 5 -> 13 -> 33 -> 55 -> 21 -> null insert 77 at position 7 2 -> 8 -> 5 -> 13 -> 33 -> 55 -> 21 -> 77 -> null try to insert 100 at position 100 ERROR:index is longer than the list 2 -> 8 -> 5 -> 13 -> 33 -> 55 -> 21 -> 77 -> null
As always, turn it in on the dropbox.cse.sc.edu.
Friday, April 6, 2012
Iterators and Generics
Chapter 12 also talks about the Iterator interface. Iterators are a bit clumsier than using the 'foreach' (for (Type item: Collection) form), but they have the advantage that you can remove elements from the collection while iterating over it. The video below shows you how to use them:
The video below is a longer example showing how one might implement the Iterator interface in a class.
Finally, the next one shows you how to build your own generic class.
The video below is a longer example showing how one might implement the Iterator interface in a class.
Finally, the next one shows you how to build your own generic class.
Wednesday, April 4, 2012
Lab 22: Thumbs Up
For this lab you will use what you learned about Swing to implement a very simple app like the one shown here. All that the app does is keep track of how many times each of the thumbs up or thumbs down buttons have been pressed.
As always, turn in your lab in the dropbox.cse.sc.edu
As always, turn in your lab in the dropbox.cse.sc.edu
Augmented Reality
Its just a matter of programming...
Tuesday, April 3, 2012
Swing Applications
On Wednesdays' lecture we will be talking about the Java Swing library (Chapter 13 from the textbook, which you can download from the textbook website. This material will not be on the tests, but it will be on the next Lab. The video below also shows you how to build a simple Swing app.
In class I also demoed the windowbuilder plugin for eclipse, which lets you drag-and-drop your way to a working GUI. But, if you are planning on doing a lot of GUI drawing, you will want to use netbeans. It is much more stable.
In class I also demoed the windowbuilder plugin for eclipse, which lets you drag-and-drop your way to a working GUI. But, if you are planning on doing a lot of GUI drawing, you will want to use netbeans. It is much more stable.
Monday, April 2, 2012
Lab 21: Disjoint Sets
For this lab you will extract the set of unique words in two file and then determine the set of words that is in one file but not the other. We will be using Pride and Prejudice and Sense and Sensibility.
We want to find all the unique words in these texts. In other words, the set of all words that appear at least once on the text. You will read the words using the
We can fix this problem by cleaning the words we read: removing any non-letter character from them. A simple way of doing that is by using the following method
Your code for this lab will read and clean all the words from both Pride and Prejudice and Sense and Sensibility into
As always, your lab is due on the dropbox.cse.sc.edu.
We want to find all the unique words in these texts. In other words, the set of all words that appear at least once on the text. You will read the words using the
Scanner.next()
. As you noticed in a previous lab, the .next()
method only stops at whitepaces, this means that it will read thinks like "house." and "don't!"" as one word. This presents a problem when trying to find the set of unique words.We can fix this problem by cleaning the words we read: removing any non-letter character from them. A simple way of doing that is by using the following method
/** * Clean up word by removing any non-letter characters from it and making it lower case * @param word * @return the cleaned up word */ public String cleanWord(String word){ //It is OK to use a regular String with + to create the new string, in CSCE145. //However, StringBuilder is much faster in this case because it does not // create a new String each time we append. StringBuilder w = new StringBuilder(); char[] chars = word.toLowerCase().toCharArray(); for (char c : chars) { if (Character.isLetter(c)) w.append(c); } return w.toString(); }
Your code for this lab will read and clean all the words from both Pride and Prejudice and Sense and Sensibility into
HashSet
of words. It will then printout how many unique words there are in each, as well as the number of words in one that are not in the other. The output I got is:Numer of unique words in Pride and Prejudice: 7016 Numer of unique words in Sense and Sensibility: 7649 Number of Words in Sense and Sensibility but not in Pride and Prejudice : 3070 Number of Words in Pride and Prejudice but not in Sense and Sensibility: 2437 They are: chambermaid quadrille holding affords luckless extractions quarrelsome yesthere halfhours surmise undervaluing furnish bribery httpgutenbergorglicense ...and so on...your ordering might be different from mine... jenkinson george breakfasted hedge musicbooks coquetry term boulanger halfamile distrusted cluster culprit phillipses
As always, your lab is due on the dropbox.cse.sc.edu.
HW 10: Word Cloud
![]() |
Word Cloud for Pride and Prejudice |
Your program will
- Read in a text file, one word at a time.
- Clean up the word by throwing away any non-letter characters, like ".,!? and turning it to lowercase.
- If the word is not a stop word then keep track of how many times it appears on the file.
- Printout the number of unique words you found and the top 20 most frequent words found along with the number of times they appear in the file.
Here is the output of the program for Pride and Prejudice
There are 6898 unique words. mr 783 elizabeth 594 such 393 darcy 371 mrs 343 much 328 more 326 bennet 293 miss 283 one 266 jane 263 bingley 257 know 239 before 229 herself 224 though 221 never 220 soon 216 well 212 think 211
and here is for Sense and Sensibility
There are 7531 unique words. elinor 616 mrs 525 marianne 488 more 403 such 359 one 317 much 287 herself 249 time 237 now 230 know 228 dashwood 224 though 213 sister 213 edward 210 miss 209 well 209 think 205 mother 200 before 198
The list of stop words you will use is
private static final String[] stopWordsList = { "a","able","about","after","all","almost","also","am","among","an", "and","any","are","as","at","be","because","been","but","by","can", "cannot","could","dear","did","do","does","either","else","ever", "every","for","from","get","got","had","has","have","he","her","hers", "him","his","how","however","i","if","in","into","is","it","its","just", "least","let","like","likely","may","me","might","most","must","my", "neither","no","nor","not","of","off","often","on","only","or","other", "our","own","rather","said","say","says","she","should","since","so", "some","than","that","the","their","them","then","there","these","they", "this","tis","to","too","twas","us","very","wants","was","we","were","what", "when","where","which","while","who","whom","why","will","with", "would","yet","you","your"};
Your program will use a
HashMap
to keep track of the counts. You might also want to use the a HashSet
.This homework is due Monday, 9 April @noon in the dropbox.cse.sc.edu.
Friday, March 30, 2012
ArrayLists and HashSets
Next week we will be covering Chapter 12, which talks about some of the built-in collection classes in Java, such as
ArrayList
and HashSet
and HashMap
:Wednesday, March 28, 2012
Lab 20: Stock Plot
In Java, like in most programming languages, reading data from a URL is nearly identical to reading from a file, or reading from the keyboard. Java uses the URL class for reading data from a URL, as shown in this example.
Google provides us with historical price information for all the stocks. Specifically, if you go to the url http://www.google.com/finance/historical?q=AAPL&output=csv you will get a text file, in CSV format, for the prices of AAPL (Apple Computer) stock for the last year. To get a different stock simply replace AAPL in that url with the sticker symbol for your desired stock (try GOOG, GE, INTC).
For this lab you will start with the code below:
When you run it you will notice that it first opens up a window asking you for a ticker symbol (try AAPL) and then prints out the prices for that stock on the console and pops up a graphic window with just a line.
For this lab you will change this program so that instead of printing out to the console it will draw a line chart of the closing prices of the given stock. Notice that the closing price is one of the columns on the give CSV file. You can ignore all the other columns. Your final plot should look something like the figure shown.
TIP:
Once you get it working, try re-sizing the window with your mouse: drag a corner to make the window bigger. Did your plot grow with the window? If not, that is OK, it is good enough for this lab.
However, if you want a fun little challenge (definitely doable within the lab time), try to make it so your plot stretches to fit the window. Note that you can get the current size of the window using
As always, turn it in at the dropbox.cse.sc.edu.
Google provides us with historical price information for all the stocks. Specifically, if you go to the url http://www.google.com/finance/historical?q=AAPL&output=csv you will get a text file, in CSV format, for the prices of AAPL (Apple Computer) stock for the last year. To get a different stock simply replace AAPL in that url with the sticker symbol for your desired stock (try GOOG, GE, INTC).
For this lab you will start with the code below:
import java.awt.Color; import java.awt.Graphics; import java.awt.Graphics2D; import java.io.BufferedReader; import java.io.IOException; import java.io.InputStreamReader; import java.net.MalformedURLException; import java.net.URL; import javax.swing.JFrame; import javax.swing.JOptionPane; import javax.swing.JPanel; public class PlotStock extends JPanel { /** * Initial Screen size. */ public static final int WIDTH = 640; public static final int HEIGHT = 400; /** * Fetches stock data from google and prints it out to the * console. */ private void getData(){ try { //Get data on AAPL (Apple Computer) stock. //To get data on other sticker symbols simply replace AAPL with your // desired symbol, like GOOG. URL data = new URL("http://www.google.com/finance/historical?q=AAPL&output=csv"); BufferedReader in = new BufferedReader( new InputStreamReader(data.openStream())); String inputLine; //TODO: rather than printing them out, we need to pick out the // closing prices and save them for later plotting. while ((inputLine = in.readLine()) != null){ System.out.println(inputLine); } } catch (MalformedURLException e) { e.printStackTrace(); } catch (IOException e) { System.out.println("Uh Oh, I cannot reach the Internet."); } } /** * This method gets called when the class first gets create and also whenever the * window needs to be redraw, like when the user changes its size, de-iconifies it, * moves it, etc. */ public void paintComponent(Graphics g){ Graphics2D g2 = (Graphics2D) g; g2.setColor(Color.black); getData(); //Draw a line from 10,10 to the bottom right of the window. //TODO: draw the line graph of the closing prices instead. g2.drawLine(10,10, getWidth(), getHeight()); //Notice that getWidth() and getHeight() can be used to give us // the width and height of the current window (which might be // different from the original because the user changed it). } public static void main(String[] args) { String symbol = JOptionPane.showInputDialog("Enter Ticker Symbol:"); if (symbol == null) System.exit(0); //quit if user hit Cancel JFrame frame = new JFrame("Window"); //frame is the window frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); PlotStock panel = new PlotStock(); //panel is the graphics area where we can draw frame.add(panel); //put the panel inside the window frame.setSize(WIDTH,HEIGHT); //set the window size to 640x400 pixels frame.setVisible(true); } }
When you run it you will notice that it first opens up a window asking you for a ticker symbol (try AAPL) and then prints out the prices for that stock on the console and pops up a graphic window with just a line.
For this lab you will change this program so that instead of printing out to the console it will draw a line chart of the closing prices of the given stock. Notice that the closing price is one of the columns on the give CSV file. You can ignore all the other columns. Your final plot should look something like the figure shown.
TIP:
String.split(",",0)
is very useful for parsing the CSV file.Once you get it working, try re-sizing the window with your mouse: drag a corner to make the window bigger. Did your plot grow with the window? If not, that is OK, it is good enough for this lab.
However, if you want a fun little challenge (definitely doable within the lab time), try to make it so your plot stretches to fit the window. Note that you can get the current size of the window using
getWidth()
and getHeight()
, as shown in the code. The rest is just a little bit of programming. You will need to find the max and min closing prices, and number of days of data, then scale these to fit the current window.As always, turn it in at the dropbox.cse.sc.edu.
Monday, March 26, 2012
Lab 19: Sierpinsky Triangle
For this lab you will implement a recursive method that draws the Sierpinsky Triangle to various levels. You will start out with the following code:
which simply draws a triangle and change it so that it draws the Sierpinsky triangle to any desired level.
That is, change the
But, if the level is 1 it will instead draw the 3 triangles, as shown in the first figure. In other words, it will draw three Sierpinsky level 0 triangles: one on the bottom left, one on the top, and one on the bottom right. Note that we do not draw the upside-down triangle in the middle, that one is just a side-effect from drawing the three other triangles. Similarly, if the level is 2 we draw 3 Sierpinsky level 2 triangles: one on the bottom left, one on the top, and one on the bottom right, and so on.
The program should work for all levels but, I note that running it for levels greater than 12 will take significant amounts of time, and will not change the look of the triangle because you have already reached the limits of the resolution (640 by 640 pixels)
As always, turn this in on the dropbox.cse.sc.edu.
Oh, and, how might this be related to exponential functions as discussed in class? Vihart explains:
import java.awt.Color; import java.awt.Graphics; import java.awt.Graphics2D; import javax.swing.JFrame; import javax.swing.JPanel; /** * Triangle.java * @author Jose M Vidal* Created on Mar 19, 2012 * */ public class Triangle extends JPanel { public void drawTriangle(Graphics2D g, int x1, int y1, int x2, int y2, int x3, int y3){ g.drawLine(x1, y1, x2, y2); g.drawLine(x2, y2, x3, y3); g.drawLine(x3, y3, x1, y1); } public void paintComponent(Graphics g){ Graphics2D g2 = (Graphics2D) g; g2.setColor(Color.black); drawTriangle(g2,1,640, 320,0, 640,640); } public static void main(String[] args) { JFrame frame = new JFrame("Window"); //frame is the window frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); Triangle panel = new Triangle(); //panel is the graphics area where we can draw frame.add(panel); //put the panel inside the window frame.setSize(650,680); //set the window size to 640x640 pixels frame.setVisible(true); } }
which simply draws a triangle and change it so that it draws the Sierpinsky triangle to any desired level.
That is, change the
drawTriangle
method so that it takes as argument another variable, the level
. If the level is 0 it will draw the triangle exactly as it does now. But, if the level is 1 it will instead draw the 3 triangles, as shown in the first figure. In other words, it will draw three Sierpinsky level 0 triangles: one on the bottom left, one on the top, and one on the bottom right. Note that we do not draw the upside-down triangle in the middle, that one is just a side-effect from drawing the three other triangles. Similarly, if the level is 2 we draw 3 Sierpinsky level 2 triangles: one on the bottom left, one on the top, and one on the bottom right, and so on.
The program should work for all levels but, I note that running it for levels greater than 12 will take significant amounts of time, and will not change the look of the triangle because you have already reached the limits of the resolution (640 by 640 pixels)
As always, turn this in on the dropbox.cse.sc.edu.
Oh, and, how might this be related to exponential functions as discussed in class? Vihart explains:
HW 9: Numbers
For this homework you will write a program that prints out the numbers between 1 and 1000000 in English. That is, it will print out:
You can download all the numbers if you want to see all of them.
Note that you must use a recursive method to generate the numbers. Look carefully at the numbers and notice the pattern, for example, the English for 136 is "one", then the words "hundred and" then the English for 36.
This homework is due Monday, April 2 @noon in the dropbox.cse.sc.edu.
one two three four five six seven eight nine ten eleven twelve thirteen fourteen fifthteen sixteen seventeen eightteen nineteen twenty twentyone twentytwo twentythree twentyfour twentyfive twentysix ...and so on... one hundred and ninetyseven one hundred and ninetyeight one hundred and ninetynine two hundred two hundred and one two hundred and two two hundred and three two hundred and four two hundred and five two hundred and six two hundred and seven ...and so on... nine hundred and ninetynine thousand nine hundred and ninetyfive nine hundred and ninetynine thousand nine hundred and ninetysix nine hundred and ninetynine thousand nine hundred and ninetyseven nine hundred and ninetynine thousand nine hundred and ninetyeight nine hundred and ninetynine thousand nine hundred and ninetynine one million
You can download all the numbers if you want to see all of them.
Note that you must use a recursive method to generate the numbers. Look carefully at the numbers and notice the pattern, for example, the English for 136 is "one", then the words "hundred and" then the English for 36.
This homework is due Monday, April 2 @noon in the dropbox.cse.sc.edu.
Thursday, March 22, 2012
Recursion
On Monday's lecture we will discuss Recursion: Chapter 11 of the textbook.
Binary Search implementation using Recursion
Binary Search implementation using Recursion
Serializable Interface
You can easily write any Java object to a file, as long as it implements the
Serializable
interface. The following video shows you how:Wednesday, March 21, 2012
Lab 18: Pride and Prejudice
In this lab we will explore how the characters in Jane Austen's masterpiece "Pride and Prejudice" feel. For this, you first need to head on over to Project Gutenberg and download a copy of the plain text version of the book to your desktop. Then, drag it over to your eclipse project (within the project, not within the src folder).
You will now write a program that reads this file looking for the phrase "I am" and prints out each time it finds it followed by the next four words, also keeping a count of how many it has found. The output of your program will look something like:
You will find
Your program will also write to a file called "out.txt" the count of how many times it has found "I am sure", "I am afraid" and "I am not afraid". The file should have these contents:
You will now write a program that reads this file looking for the phrase "I am" and prints out each time it finds it followed by the next four words, also keeping a count of how many it has found. The output of your program will look something like:
1- I am thinking of his marrying 2- I am sure she is not 3- I am glad to find that 4- I am not acquainted with him 5- I am sick of Mr. Bingley," 6- I am sorry to hear _that_; 7- I am ! and it is 8- I am not afraid; for though 9- I am particularly acquainted with my ...and so on... 280- I am afraid; for what becomes 281- I am not indebted for my 282- I am more likely to want 283- I am happier even than Jane; 284- I am sure Wickham would like
You will find
Scanner.findWithinHorizon("I am",0)
will come in handy for this.Your program will also write to a file called "out.txt" the count of how many times it has found "I am sure", "I am afraid" and "I am not afraid". The file should have these contents:
I am sure: 36 I am afraid:15 I am not afraid:5
Monday, March 19, 2012
Lab 17: Exceptions
For this lab you will implement a
For example, if you were to run this main:
it could result in the following interaction:
TIP: Checkout Integer.parseInt() and String.split(), they are your secret weapon.
HACKER FYI: parseDate is a static method that creates new instances of the class. We call methods like this factories.
Date
class and a DateFormatException
class. The Date
class keeps the date in three private int member variables, called month, day, year. It has the following methods:Date(int month, int day, int year)
: is the constructortoString()
: returns the date in a String of the form 2/2/2002public static Date parseDate(String d) throws DateFormatException
: tries to parse the string d into a viable date. If it succeeds then it creates a new date and returns it. If it fails then it throws the DateFormatException. d is a viable date if it is in the form "m/d/y" where m is an integer between 1 and 12, d is an integer between 1 and 31, and y is an integer.
For example, if you were to run this main:
public static void main(String[] args){ Date d = null; Scanner keyboard = new Scanner(System.in); boolean goodDate = false; do { System.out.print("Enter a date:"); String w = keyboard.next(); try{ d = Date.parseDate(w); goodDate = true; } catch (DateFormatException e){ System.out.println("Bad user! " + w + " is not a date I understand."); } } while (! goodDate); System.out.println("Finally! You entered a well-formatted date: " + d); }
it could result in the following interaction:
Enter a date:chanchan Bad user! chanchan is not a date I understand. Enter a date:44/44/44 Bad user! 44/44/44 is not a date I understand. Enter a date:1/44/2012 Bad user! 1/44/2012 is not a date I understand. Enter a date:44/24/2012 Bad user! 44/24/2012 is not a date I understand. Enter a date:3-3-2012 Bad user! 3-3-2012 is not a date I understand. Enter a date:3/19/2012 Finally! You entered a well-formatted date: 3/19/2012
TIP: Checkout Integer.parseInt() and String.split(), they are your secret weapon.
HACKER FYI: parseDate is a static method that creates new instances of the class. We call methods like this factories.
Test 2 Points Distribution
Below is the points distribution for Test 2. Points are not grades. We will talk about grades in class.
data:image/s3,"s3://crabby-images/0c458/0c458f527ac7514dc4e78a3c156c42cd108a0b91" alt=""
Friday, March 16, 2012
HW 8: Employment Data
You are working in the University admissions office and students keep asking you about how the job market for different majors is fearing. You figure that a good place to start in answering that question is by looking at how many people currently work in each particular job in the US. You figure that someone must have already gathered that data and, after a bit of googling (or, binging) around, you come across the occupational employment statistics page from the Bureau of Labor Statistics. In that page you find a link to the raw data files.
For this homework you will only need to download the oe.occupation and oe.data.0.Current files.
First, take a look at the
The
The
For this HW we are only interested in lines with a
Your program will first read in and parse the occupations from the
Here are a few more sample outputs so you can see the sums that I got. I am omitting the list of occupations as it is always the same.
I note that my numbers do not exactly match theirs. For example, for "Computer Programmers" I got 335,330 but their webpage shows 333,620 (wepage with all occupations). I blame it on shoddy accounting in the Obama administration. Still, its pretty close.
TIP: You will want to create a class that holds the collection of occupations from the
TIP: It takes my laptop about 15 seconds to process the whole file. That is way too long when trying to debug the program, so I added temporary code to only read in the first few thousand lines. I then get rid of that code when the program works. BTW, the file has about 5 million lines.
This homework is due in the dropbox.cse.sc.edu on Monday, March 26 @noon. When you turn it in, do not upload the text files. We already have a copy, and we don't need 120 more copies.
For this homework you will only need to download the oe.occupation and oe.data.0.Current files.
First, take a look at the
oe.occupation
file. Each line in this file lists a different occupation by first listing the occupation code, a space, then the English description, a space, then a number (1). Your program will need to first read all these occupations codes and descriptions into an array so it can then ask the user for which occupation he wants to know the total number of people employed.The
oe.data.0.Current
file contains all the data. It is a large file (266MB) and the .gov site is slow so, here is my copy. The oe.txt file describes the format of the data in this file in detail, but I will explain below what you need to do for this HW. The oe.data.0.Current
file looks likeseries_id year period value footnote_codes OEUM001018000000000000001 2010 S01 61790 OEUM001018000000000000002 2010 S01 2.2 OEUM001018000000000000003 2010 S01 16.72 OEUM001018000000000000004 2010 S01 34780
The
series_id (OEUM000040000000000000001)
can be broken out into:Code Value(Example) survey abbreviation = OE seasonal(code) = U area_code = 0000400 industry_code = 000000 occupation_code = 000000 datatype_code = 01
For this HW we are only interested in lines with a
series_id
that starts with OEUS and have a datatype_code
(end with) of 01, which corresponds to "number of jobs". The occupation_code
corresponds to the code from the oe.occupation
file.Your program will first read in and parse the occupations from the
oe.occupation
file. It will then show the user the list of all occupation codes, numbered, and ask him to pick one. It will then open up the oe.data.0.Current
file and add up the values (fourth column) of all the rows that with a series_id that starts with OEUS, ends with 01, and matches the user's chosen occupation code. Finally, it will print out this number. Here is a sample run:0 - All Occupations
1 - Management Occupations
2 - Chief Executives
3 - General and Operations Managers
....and so on.....
817 - Mine Shuttle Car Operators
818 - Tank Car, Truck, and Ship Loaders
819 - Material Moving Workers, All Other
Which of the occupations above do you need data for?
Enter number:77
Working......
17750 persons work as Actuaries in the US.
Here are a few more sample outputs so you can see the sums that I got. I am omitting the list of occupations as it is always the same.
Enter number:66 Working...... 3294290 persons work as Computer and Mathematical Occupations in the US. Enter number:69 Working...... 335330 persons work as Computer Programmers in the US. Enter number:70 Working...... 499880 persons work as Software Developers, Applications in the US. Enter number:94 Working...... 144870 persons work as Electrical Engineers in the US. Enter number:101 Working...... 223470 persons work as Mechanical Engineers in the US. Enter number:119 Working...... 1072400 persons work as Life, Physical, and Social Science Occupations in the US. Enter number:146 Working...... 3360 persons work as Sociologists in the US. Enter number:1 Working...... 6066780 persons work as Management Occupations in the US. Enter number:295 Working...... 7394880 persons work as Healthcare Practitioners and Technical Occupations in the US.
I note that my numbers do not exactly match theirs. For example, for "Computer Programmers" I got 335,330 but their webpage shows 333,620 (wepage with all occupations). I blame it on shoddy accounting in the Obama administration. Still, its pretty close.
TIP: You will want to create a class that holds the collection of occupations from the
oe.occupation
file, along with an Occupation class which holds just one occupation: its name and its code.TIP: It takes my laptop about 15 seconds to process the whole file. That is way too long when trying to debug the program, so I added temporary code to only read in the first few thousand lines. I then get rid of that code when the program works. BTW, the file has about 5 million lines.
This homework is due in the dropbox.cse.sc.edu on Monday, March 26 @noon. When you turn it in, do not upload the text files. We already have a copy, and we don't need 120 more copies.
Reading and Writing Files
On Wednesday's lecture we will cover the reading and writing of files (Chapter 10).
Reading a CSV file
Writing to a text file
Binary files
Reading a CSV file
Writing to a text file
Binary files
Thursday, March 15, 2012
Test 2 and Lab Test 2
Here are the Test 2s and the answers:
- (25%) What does the following program print out when run?
public class Boat extends Ship { private int seaWorthinessRating; public Boat(double maxSpeed) { super(maxSpeed); seaWorthinessRating = 33; } public Boat(double maxSpeed, int rating) { super(maxSpeed); seaWorthinessRating = rating; } public String toString(){ return "mp=" + maxSpeed + " seaworth=" + seaWorthinessRating; } } public class SailBoat extends Boat { public String toString(){ return "Sailboat"; } } public class Ship { protected double maxSpeed; public Ship(double maxSpeed){ this.maxSpeed = maxSpeed; } public String toString(){ return "maxSpeed=" + maxSpeed; } public static void main(String[] args){ Ship s1 = new Ship(1); System.out.println(s1); Ship s2 = new Boat(2,66); Ship s22 = new Boat(8); System.out.println(s2); System.out.println(s22); SailBoat s3 = new SailBoat(3,77); System.out.println(s3); Ship s4 = (Ship)s3; System.out.println(s4); } }
- (25%) What is wrong with the program below? Explain.
public interface Drinkable { public void drink(); public boolean isEmpty(){ return false;} } public class RedBull implements Drinkable { private int size; public RedBull(int size){ this.size = size; } public void drink(){ System.out.println("Yuuuuuckkkkk"); } public boolean isEmpty(){ return true; } }
Answer: An interface cannot implement a method.
- (25%) Implement a static method which takes as an argument an array of integers
a
and returns a new array, lets call itr
, wherer[0]
has the sum ofa[0] + a[1]
, andr[1]
has the sum ofa[2] + a[3]
, and so on. You can assume that the length ofa
is even.
Answer: - (25%) Take a look at this code:
public class Plant { private String name; public Plant(String name){ this.name = name; } public String getName(){ return name; } public static void main(String[] args){ Plant[] garden = new Plant[3]; garden[0] = new Plant("Vine"); //Create a Rosemary plant with the name Vanity // it will have 1024 leaves by default garden[1] = new Rosemary("Vanity"); //This one will have 2048 leaves garden[2] = new Rosemary("Pride", 2048); for (Plant p: garden){ System.out.println(p.getName()); //print their names } //getRosemaries() returns the total number of rosemaries // that have been created. System.out.println("There are " + Rosemary.getNumRosemaries() + " rosemary plants."); Rosemary r = new Rosemary("Loathing"); System.out.println(r.getName()); System.out.println("There are " + Rosemary.getNumRosemaries() + " rosemary plants."); } }
Implement the missingRosemary
class so that when we run the code above it will print:
Vine Rosemary:Vanity numLeaves=1024 Rosemary:Pride numLeaves=2048 There are 2 rosemary plants. Rosemary:Loathing numLeaves=1024 There are 3 rosemary plants.
See the comments in the code for hints on what the various
methods and attributesRosemary
must have.Answer:
public class Rosemary extends Plant { private int numLeaves; private static int numCreated = 0; public Rosemary(String name) { super("Rosemary:" + name ); numLeaves = 1024; numCreated++; } public Rosemary(String name, int numLeaves) { super("Rosemary:" + name ); this.numLeaves= numLeaves; numCreated++; } public String getName(){ return super.getName() + " numLeaves=" + numLeaves; } public static int getNumRosemaries(){ return numCreated; } }
public static int[] everyOther(int[] a){ int[] result = new int[a.length/2]; for (int i = 0; i < a.length; i+=2) { result[i/2] = a[i] + a[i+1]; } return result; }
- (25%) What does the following program print out when run?
public class Boot extends Shoe { protected int height; public Boot(int height){ super(9); this.height = height; } public Boot(int height, int size){ super(size); this.height = height; } } public class Ugg extends Boot { public Ugg(int height, int size) { super(height,size); height--; } public String toString(){ return "Ugg size=" + super.toString() + " height=" + height; } } public class Shoe { private int size; public Shoe(){ size = 7; } public Shoe(int size) { this.size = size; } public String toString() { return "Shoe [size=" + size + "]"; } public static void main(String[] args) { Shoe s1 = new Shoe(); System.out.println(s1); Boot s3 = new Ugg(7,9); System.out.println(s3); Boot s4 = new Boot(5,15); System.out.println(s4); Ugg s5 = new Ugg(9,16); System.out.println(s5); Boot s6 = (Boot)s5; System.out.println(s6); } }
- (25%) What is wrong with the program below? Explain.
public interface Playable{ public void play() { super(); }; public int timeLeft(); } public class Media { protected String title; public Media(String title){ this.title = title; } } public class Song extends Media implements Playable{ protected int runningTime; public Song(String name, int runningTime){ super(name); this.runningTime = runningTime; } public void play(){ System.out.println("Playing...."); } public int timeLeft(){ return runningTime - 10; } }
Answer: An interface cannot implement a method.
- (25%) Implement a static method which takes as an argument an array of integers
a
and returns a new array, lets call itr
, wherer[0]
contains the sum ofa[0]
anda[last index in a]
,r[1]
contains the sum ofa[1]
anda[last index in a minus 1]
, and so on. You can assume that the length ofa
is even.
Answer:
public static int[] fold(int[] a){ int[] result = new int[a.length/2]; for (int i = 0; i < a.length / 2; i++) { result[i] = a[i] + a[a.length - 1 - i]; } return result; }
- (25%) Take a look at this code:
public interface LeafEater { public void eatLeaf(); } public class Mammal { protected int numToes; protected static int count = 0; public Mammal(){ numToes = 5; count++; } public String toString(){ return "Mammal with " + numToes + " toes."; } public static void main(String[] args) { Mammal[] animals = new Mammal[4]; animals[0] = new Mammal(); //Creates a giraffe with 8 toes and height of 10.0 feet. animals[1] = new Giraffe(); //Creates a giraffe with 5 toes and height of 14.6 feet. animals[2] = new Giraffe(14.6); //Creates a giraffe with 8 toes and height of 10.0 feet. animals[3] = new Giraffe(); for (Mammal m : animals){ System.out.println(m); } //getCount() returns the number of Mammals that have been created. System.out.println("There are " + Giraffe.getCount() + " mammals"); } }
Implement the missingGiraffe
class so that when we run the code above it will print:
Mammal with 5 toes. Mammal with 8 toes.-- Giraffe: 10.0 feet. Mammal with 5 toes.-- Giraffe: 14.6 feet. Mammal with 8 toes.-- Giraffe: 10.0 feet. There are 4 mammals
See the comments in the code for hints on what the various methods and attributesGiraffe
must have.
Answer:
public class Giraffe extends Mammal implements LeafEater{ private double height; public Giraffe(){ super(); height = 10; numToes = 8; } public Giraffe(double height){ super(); this.height = height; } public String toString(){ return super.toString() + "-- Giraffe: " + height + " feet."; } public static int getCount(){ return count; } public void eatLeaf() { System.out.println("Yummm, leaves are good."); } }
Wednesday, March 14, 2012
Exceptions
On Monday's lecture we will discuss Exceptions, which is Chapter 9 of the textbook. Here are a couple of videos on the topic.
Exceptions
Creating your Own Exceptions
Exceptions
Creating your Own Exceptions
Monday, March 12, 2012
The Computer Revolution
The computer revolution is about amplifying the abilities of the human mind. Modern civilization runs on software, but computers are still just machines that need to be told what to do and precisely how to do it, by humans (like you).
Camelot Homework Solution
Here is my solution to HW 7: Camelot.
Lab 16: Iterator
For this lab you will implement a
Specifically,
Furthermore, the
For example, the following code:
WordList
which is an infinitely expanding container of Strings. The WordList
class will keep an array of Strings which starts at a size of 2 (the first array created is of size 2) but then doubles in size whenever the user of the class tries to add
an element which would not fit in the current wordlist. For example, the first time it doubles will be when trying to add the third word, then on the fifth, then on the ninth, and so on.Specifically,
WordList
will implement the following methods:add(String w)
: adds the stringw
to the word list, and expands the size of the underlying array if needed, by doubling its size. It returns the WordList.size()
: returns the number of words in the WordListlength()
: returns the length of the arraytoString()
: all the words, separated by spaces.
Furthermore, the
WordList
implements the following interface:public interface Iterator { /** * Resets the iterator to point to the first word. */ public void resetIterator(); /** * Returns the next word. If we are beyond the end then return null. * Also moves the iterator to the next word. * @return the next word or null. */ public String getNext(); /** * @return true if there are still words to iterate over. * false if we have reached the end */ public boolean hasNext(); }
For example, the following code:
public static void main(String[] args) { //Test adding words WordList l = new WordList(); System.out.println("There are " + l.size() + " words."); System.out.println("The words array is of length " + l.length() + "."); l.add("We").add("are").add("the").add("priests").add("of"); l.add("The").add("Temples").add("of").add("Syrinx"); System.out.println(l); System.out.println("There are " + l.size() + " words."); System.out.println("The words array is of length " + l.length() + "."); l.add("Our").add("great").add("computers").add("fill").add("the").add("hallowed").add("halls"); System.out.println(l); System.out.println("There are " + l.size() + " words."); System.out.println("The words array is of length " + l.length() + "."); //Test REALLY big word lists for (int i = 0; i < 10000000; i++) { l.add("Rush"); } System.out.println("There are " + l.size() + " words."); System.out.println("The words array is of length " + l.length() + "."); //Test the iterator System.out.println("--Testing the iterator"); l = new WordList(); l.add("We").add("have").add("assumed").add("control"); l.add("There").add("is").add("trouble").add("with").add("the").add("trees"); l.resetIterator(); while (l.hasNext()){ String w = l.getNext(); System.out.println(w); } }prints out
There are 0 words. The words array is of length 2. We are the priests of The Temples of Syrinx There are 9 words. The words array is of length 16. We are the priests of The Temples of Syrinx Our great computers fill the hallowed halls There are 16 words. The words array is of length 16. There are 10000016 words. The words array is of length 16777216. --Testing the iterator We have assumed control There is trouble with the trees
Friday, March 9, 2012
Lab Solutions
My solutions for the last two labs:
In case you haven't noticed, on the right menu bar under "Labels" you can click on the solution label to see all the solutions, and only the solution, posts.
In case you haven't noticed, on the right menu bar under "Labels" you can click on the solution label to see all the solutions, and only the solution, posts.
Sunday, March 4, 2012
Wednesday, February 29, 2012
Lab 15: Comparable
For this lab you will implement two classes.
An
You will also implement a
For example, the sample code below generates some random employees and them prints them out:
An
Employee
class with a int ssn
property and a String name
property. The class implements the Comparable
interface by comparing the ssn of the two employees. You can learn more about Comparable
by reading the case study in page 632 of your textbook.You will also implement a
Department
class which maintains an array of Employees. It implements the methodsadd(String name, int ssn)
which adds a new employee to the department. You can assume that at most 10 employees will be in a departmenttoString()
returns a string of all the people in the department but sorted by ssn.
For example, the sample code below generates some random employees and them prints them out:
public static void main(String[] args) { Department d = new Department(); for (int i=0; i < Math.random() * 10;i++){ int n = (int)(Math.random() * 100); String name = "John" + n; d.add(name, n); } System.out.println(d); }Here is the output of one run. Notice how they are all sorted. Every time you run it the numbers will be random but will (should) appear sorted.
John3 3 John16 16 John49 49 John61 61 John92 92Remember to turn in both files to the dropbox.cse.sc.edu.
Tuesday, February 28, 2012
Practice Condingbat Bonus Points
Once again I will give you a bonus test point for each of the following sections you finish on codingbat.com. The sections are: Array-1, Array-2, Array-3, String-3. These will have to be done before Wed, March 14 @noon.
Remember to add jmvidal@gmail.com as your 'teacher share', click on the 'prefs' link in the top of the page to set your 'teacher share'.
Remember to add jmvidal@gmail.com as your 'teacher share', click on the 'prefs' link in the top of the page to set your 'teacher share'.
Homework Solutions
Here are some of my solutions for recent homeworks.
Monday, February 27, 2012
Lab 14: Undead
Everyone is a
You will turn in all your .java files (remember, there is one for each class) at the dropbox.cse.sc.edu.
Person
. But, as you know, this set is divided into the Living
and the Undead
. - The
Civilian
and theSlayer
are are allLiving.
Zombie
,Vampire
andGhost
all belong to theUndead
public static void main(String[] args) { Zombie z1 = new Zombie("Keith Richards"); Vampire v1 = new Vampire("Angel"); Ghost g1 = new Ghost("Bloody Mary"); Civilian c1 = new Civilian("Rick Grimes"); Civilian c2 = new Civilian("Glenn"); Slayer s1 = new Slayer("Buffy Summers"); Person[] people = {z1, v1, g1, c1, c2, s1}; //Tell me, are you living or undead. for (Person p: people){ p.alive(); } System.out.println("-----------------------------"); //OK now, say Hi for (Person p: people){ p.sayHi(); } System.out.println("------------------------------"); Civilian c3 = new Civilian("Keith Richards"); //a Person equals any other person with the same name System.out.println("Is Keith's zombie equal to Keith? " + z1.equals(c3)); //except Ghosts, they are not equal to anything, //not even themselves. System.out.println("Aye you equal to yourself? " + g1.equals(g1)); System.out.println("Are you equal to Rick? " + g1.equals(c1)); }you get the following output:
I am Undead. I am Undead. I am Undead. I am Living. I am Living. I am Living. ----------------------------- arrgh....braaaains..... Hi, I am Angel, a vampire. ......... Hello, I am Rick Grimes Hello, I am Glenn Buffy Summers here, just saving the world, again. ------------------------------ Is Keith's zombie equal to Keith? true Aye you equal to yourself? false Are you equal to Rick? falseFinally, your
Person
, Living
and Undead
classes should be abstract
.You will turn in all your .java files (remember, there is one for each class) at the dropbox.cse.sc.edu.
Homework 7: Camelot
![]() |
The Thing class hierarchy. |
You will implement the classes shown in in the figure, along with a Game class which holds the board description. The specific methods that each class will implement are explained in detail in the Javadoc documents for Camelot (which you must read and follow). Notice that the documentation tells you exactly which methods and which properties you need to implement for every class. The
Animated
class has a protected enum Direction {N,S,E,W};
which shows up as Animated.Direction
in the javadocs.The program will have a
main
in the Game
class which looks like this:public static void main(String[] args) { Scanner keyboard = new Scanner(System.in); Game g = new Game(); g.add(new Sword(3,3)); User user = new User(1,4); g.add(user); g.add(new Knight(5,5)); g.add(new Peasant(9,5)); g.add(new Peasant(6,7)); g.add(new Peasant(4,8)); g.add(new Peasant(7,2)); g.add(new Peasant(3,5)); String command = ""; do { System.out.println(g); //print out the game board System.out.print("Your move:"); command = keyboard.next(); user.move(command); //move the user g.moveAll(); //move everyone g.resolveConflicts(); //resolve any conflicts between those in the same row,col } while (user.isAlive()); }A sample run of the program looks like:
__________ ____Y_____ __________ ___S_P____ ________P_ _____K____ _______P__ __P_______ __________ _____P____ Your move:south Knight moves S Peasant moves E Peasant too weak to move. Peasant too weak to move. Peasant too weak to move. Peasant too weak to move. Peasant too weak to move. __________ __________ ____Y_____ ___S_P____ ________P_ __________ _____K_P__ __P_______ __________ ______P___ Your move:west Knight moves W Peasant moves S Peasant too weak to move. Peasant moves E Peasant too weak to move. Peasant moves N Peasant too weak to move. Peasant too weak to move. Peasant too weak to move. ______P___ __________ ___Y______ ___S_P__P_ __________ __________ ____K___P_ __P_______ __________ __________ Your move:south Knight moves W Peasant moves N Peasant too weak to move. Peasant moves S Peasant too weak to move. Peasant too weak to move. Peasant moves E Peasant too weak to move. Peasant moves E Peasant too weak to move. User picks up Sword __________ __________ __________ ___Y__P_P_ __________ __________ ___K______ ___P____P_ __________ ______P___ Your move:east Knight moves W Peasant too weak to move. Peasant too weak to move. Peasant moves E Peasant too weak to move. Peasant moves W Peasant too weak to move. Peasant too weak to move. __________ __________ __________ ____Y_P__P __________ __________ __K_______ __P_____P_ __________ ______P___ Your move:east Knight moves S Peasant too weak to move. Peasant moves S Peasant too weak to move. Peasant moves W Peasant too weak to move. Peasant too weak to move. Peasant moves S Peasant too weak to move. Bloodthristy Knight kills a P __________ __________ __________ _____Y__P_ ______P___ __________ __________ __K_______ ________P_ ______P___ Your move:south Knight moves W Peasant moves W Peasant too weak to move. Peasant moves W Peasant too weak to move. Peasant moves N Peasant too weak to move. Peasant moves S Peasant too weak to move. __________ __________ ________P_ __________ _____Y____ ______P___ __________ _K________ _______P__ _____P____ Your move:quit Knight moves W Peasant moves E Peasant too weak to move. Peasant moves S Peasant too weak to move. Peasant moves S Peasant too weak to move. Peasant too weak to move.
Basically, the user tells the
User
how to move (N,S,E,W). The knights move randomly (one of N,S,E,W) on each turn. The peasants flip a coin, if heads they stay put otherwise they move randomly (one ofN,S,E,W). The world is 10 by 10 and wraps around.The
resolveconflicts
method is described in the javadocs. It goes over every Thing
. If there is another Thing
in the same row,col position then, if the Thing is a Knight it kills (removes) any Thing else there. If it is the user then if it finds the sword there it picks it up (thus killing it) and it is it a peasant it kills it.I recommend you implement this program in the following order:
- The Thing hierarchy, start at the top and work your way down. Start with the properties, then the toString() methods, then the move() methods.
- The Game class, its properties and constructor.
- Game.toString(), test it.
- Game.add()
- Game.remove()
- Game.thingsAt()
- Game.moveAll(): this should just call move() on every thing.
- Finally, Game.removeConflicts()
This homework is due on Monday, March 12 @noon. Camelot, it is a silly place.
Subscribe to:
Posts (Atom)