// sleepIn // The parameter weekday is true if it is a weekday, and the parameter vacation is true if we are on vacation. // We sleep in if it * is not a weekday or we're on vacation. Return true if we sleep in. public boolean sleepIn(boolean weekday, boolean vacation) { if (!weekday || vacation) { return true; } return false; } // monkeyTrouble // We have two monkeys, a and b, and the parameters aSmile and bSmile indicate if each is smiling. // We are in trouble if they are both smiling or if neither of them is smiling. Return true if we are in trouble. public boolean monkeyTrouble(boolean aSmile, boolean bSmile) { return (aSmile == bSmile); } // sumDouble // Given two int values, return their sum. // Unless the two values are the same, then return double their sum. public int sumDouble(int a, int b) { int sum = a + b; if (a == b) { sum = sum *2; } return sum; } // diff21 // Given an int n, return the absolute difference between n and 21, // except return double the absolute difference if n is over 21. public int diff21(int n) { int difference = 21 - n; if (n > 21) { difference = Math.abs(difference) * 2; } return difference; } // parrotTrouble // We have a loud talking parrot. The "hour" parameter is the current hour time in the range 0..23. // We are in trouble if the parrot is talking and the hour is before 7 or after 20. Return true if we are in trouble. public boolean parrotTrouble(boolean talking, int hour) { return (talking && (hour < 7 || hour > 20)); } // makes10 // Given 2 ints, a and b, return true if one if them is 10 or if their sum is 10. public boolean makes10(int a, int b) { int sum = a + b; return (sum == 10 || a == 10 || b == 10); } // nearHundred // Given an int n, return true if it is within 10 of 100 or 200. // Note: Math.abs(num) computes the absolute value of a number. public boolean nearHundred(int n) { int value1 = 100-n; int value2 = 200-n; return (Math.abs(value1) <= 10 || Math.abs(value2) <=10); } // posNeg // Given 2 int values, return true if one is negative and one is positive. // Except if the parameter "negative" is true, then return true only if both are negative. public boolean posNeg(int a, int b, boolean negative) { if (negative && a < 0 && b < 0) { return true; } else if (!negative && ((a < 0 && b > 0) || (a > 0 && b < 0))) { return true; } return false; } // notString // Given a string, return a new string where "not " has been added to the front. // However, if the string already begins with "not", return the string unchanged. // Note: use .equals() to compare 2 strings. public String notString(String str) { if (str.startsWith("not")) { return str; } return "not " + str; }