1 / 54

Chapter 12 – Type Details and Alternate Coding Mechanisms

Chapter 12 – Type Details and Alternate Coding Mechanisms. Primitive Data Types Integer Types Floating-Point Types BigInteger and BigDecimal BigInteger for Cryptography char Type ASCII Table Unicode Standard Type Conversions – Promotions, Type Casting

hshelton
Download Presentation

Chapter 12 – Type Details and Alternate Coding Mechanisms

An Image/Link below is provided (as is) to download presentation Download Policy: Content on the Website is provided to you AS IS for your information and personal use and may not be sold / licensed / shared on other websites without getting consent from its author. Content is provided to you AS IS for your information and personal use only. Download presentation by click this link. While downloading, if for some reason you are not able to download a presentation, the publisher may have deleted the file from their server. During download, if you can't get a presentation, the file might be deleted by the publisher.

E N D

Presentation Transcript


  1. Chapter 12 – Type Details and Alternate Coding Mechanisms 1 • Primitive Data Types • Integer Types • Floating-Point Types • BigInteger and BigDecimal • BigInteger for Cryptography • char Type • ASCII Table • Unicode Standard • Type Conversions – Promotions, Type Casting • Prefix/Postfix Modes for Increment/Decrement Operators • Operator Precedence and Evaluation Order • Embedded Assignment Expressions • Conditional Operator Expressions • Expression Evaluation Practice

  2. Chapter 12 – Type Details and Alternate Coding Mechanisms 2 • Short-Circuit Evaluation • Empty Statement • break Statement Within a Loop • for Loop Header Details • Enumerated Types • Comparing Enumerated Type Values • An Enumerated Type as a Class • Retrieving All the Objects of an Enumerated Type • Binary, Hexadecimal, and Octal Numbers • Introduction to GridWorld Case Study (Optional)

  3. Primitive Data Types 3 • In Java, there are two basic categories of values - primitive values and objects. • For a while now, we've focused on objects. Now let's return to primitive values and cover them in more detail. • Primitive values are categorized into these primitive data types: • byte, short, int, long • float, double • char • boolean

  4. Integer Types 4 • To access a data type's minimum and maximum values, use the MIN_VALUE and MAX_VALUE named constants that come with the data type's wrapper class. For example, here's how to print the maximum int value: System.out.println("Largest int = " + Integer.MAX_VALUE);

  5. Integer Types 5 • Default integer constant type = int. • To explicitly force an integer constant to be a long, use an l or L suffix. • This generates a compilation error: long ageOfPlanet = 4_540_000_000; • But this, with the L suffix, works just fine: long ageOfPlanet = 4_540_000_000L;

  6. Floating-Point Types – float, double 6 • Normally, the double type is preferred over the float type because the double type provides more accuracy. • For doubles, the number of significant digits is approximately 15. For floats, the number of significant digits is approximately 6.

  7. Floating-Point Types – float, double 7 • To access a floating-point data type's minimum and maximum values, use the MIN_NORMAL and MAX_VALUE named constants that come with the data type's wrapper class. • Note that a floating-point MIN_NORMAL is qualitatively different from an integer MIN_VALUE. Instead of being the largest-magnitude negative value, it's the smallest-magnitude positive value. • For floating-point numbers, if you want the largest-magnitude negative value, use the negation operator (-) with the MAX_VALUE named constant. For example, here's how to print the largest-magnitude negative float value: System.out.println( "Largest-magnitude negative float = " + -Float.MAX_VALUE);

  8. Floating-Point Types – float, double 8 • The default floating-point constant type is double. If you declare a variable to be a float, you must append an f or F suffix to all floating-point constants that go into it, like this: float gpa1 = 3.22f; float gpa2 = 2.75F; float gpa3 = 4.0; compilation error

  9. BigInteger and BigDecimal 9 • Normally, for applications that use numbers with large magnitude and/or high precision, the long and double data types should be sufficient. • However, if you require greater magnitude or higher precision, you can use the BigInteger and BigDecimal classes to store integer and floating-point numbers, respectively, with magnitude and precision limited only by the computer's memory. • The easiest way to create BigInteger and BigDecimal objects is to call their constructors with string arguments like this: BigInteger num = new BigInteger("12345678"); BigDecimal x = new BigDecimal("12.34567890123456e400");

  10. BigInteger and BigDecimal 10 • The BigInteger and BigDecimal classes are defined in the java.utilpackage, so when using those classes, import the java.utilpackage. • The BigInteger and BigDecimal classes have many methods and many constructors. Here are the API headings for some of the more common BigInteger methods: BigInteger add(BigIntegerval) BigInteger subtract(BigIntegerval) BigInteger multiply(BigIntegerval) BigInteger divide(BigIntegerval) BigInteger mod(BigIntegerval) BigIntegerpow(BigIntegerval) • The BigDecimal class implements all of the methods above except for the mod method. returns quotient returns remainder

  11. BigInteger for Cryptography 11 • Cryptography is the encryption and decryption of a message, so that an intended recipient(s) can read the message, while others cannot read it. • The RSA algorithm is a popular cryptography algorithm that relies on the difficulty of factoring large integers. As part of its implementation, it uses large prime numbers and modular division. • For an explanation of the RSA algorithm and a relatively simple implementation using BigInteger, see: http://www.thedeveloperspoint.com/implementing-rsa-in-java/ • The program on the next slide implements the first part of the RSA algorithm - it generates a modulus value which is used in the RSA algorithm's encryption and decryption process.

  12. BigInteger for Cryptography 12 import java.util.*; // for Random import java.math.*; // for BigInteger public class RSAModulusGenerator { public static void main(String[] args) { // The number of bits in p and q should be sufficient to prevent an // attacker from guessing the values of p and q using brute force. int BIT_LENGTH = 512; // p and q are guaranteed to be prime with a probability of at // least 1 - (1 / Math.pow(2, CERTAINTY)). Higher CERTAINTY // values lead to greater security, but slower calculations. int CERTAINTY = 15; BigInteger p, q; // large prime numbers BigInteger n; // modulus value used for encryption and decryption p = new BigInteger(BIT_LENGTH, CERTAINTY, new Random()); q = new BigInteger(BIT_LENGTH, CERTAINTY, new Random()); n = p.multiply(q); System.out.println("p = " + p); System.out.println("q = " + q); System.out.println("n = " + n); } // end main } // end class Test Creates two randomly generated BigInteger values, each with a specified number of bits and with a specified certainty that the value is prime.

  13. char Type 13 • For most languages (including Java), character values have an underlying numeric value. For example, the letter 'A' has the underlying value of 65. • For most languages, the ASCII table specifies the underlying numeric values for characters. • What's the point of having an underlying numeric value? • So characters can be ordered (e.g., 'A' comes before 'B' because A's 65 is less than B's 66). Character ordering is necessary so characters and strings can be sorted. • Using the ASCII table on the next slide, what are the underlying numeric values for: • the character 't' • the character '3'

  14. ASCII Table 14

  15. char Type 15 • As expected, you can concatenate a char value to a string using the + operator. Note this example: Code fragmentoutput char first = 'J'; char last = 'D'; System.out.println( "Hello, " + first + last + '!'); Hello, JD! • When the JVM sees a string next to a + sign, it converts the operand on the other side of the + sign to a string.

  16. char Type 16 • Be aware that if you apply the + operator to two chars, the + operator does not perform concatenation; instead, it performs mathematical addition using the characters' underlying ASCII values. Note this example: Code fragmentoutput char first = 'J'; char last = 'D'; System.out.println( first + last + ", What's up?"); 142, What's up? • The intended output is: JD, What's up? How can you fix the code?

  17. Unicode Standard 17 • Problem with the ASCII character set - • It specifies only 128 characters and there are way more than 128 characters in the world (think of all the foreign alphabets!). • The Unicode Standard defines underlying numeric values for a huge set of 65,536 characters. • Since the ASCII character set was and is such a popular standard with many programming languages, the Unicode designers (the Unicode Consortium) decided to use the ASCII character set as a subset of the Unicode character set. They inserted the ASCII character set's characters in the first 128 slots of the Unicode character set. • That means programmers can find those characters’ numeric values by referring to a simple ASCII table; they don't have to wade through the enormous Unicode character set.

  18. Unicode Standard 18 • To see all the Unicode characters, go to http://www.unicode.org/charts/. • Unfortunately, console output (which is what we use prior to the later GUI chapters) only supports the ASCII portion of the Unicode table, not the non-ASCII portion of the Unicode table. • To print non-ASCII characters, you'll need to use GUI output. • For more details, read the optional GUI section at the end of the chapter.

  19. Primitive Type Conversions 19 • Ordering scheme for primitive type conversions: narrowerwider byte short int long float double char • Conversions are allowed only for numeric types, not booleans. • There are two types of type conversion - promotion and type casting. • Promotion: • A promotion is an implicit conversion. It's when an operand's type is automatically converted without having to use a cast operator. • It occurs when there's an attempt to use a narrower type in a place that expects a wider type; i.e., it occurs when you’re going with the flow of the arrows in the above diagram.

  20. Promotions 20 • For each statement, what happens in terms of promotion? long x = 44; float y = x; double z = 3 + 4.5; int num = 'k' + 2; • With a mixed expression, the narrower operand(s) is promoted to match the type of the wider operand. These are mixed expressions. Mixed expressions contain operands of different data types.

  21. Promotions 21 • Promotions typically occur as part of assignment statements, mixed expressions, and method calls. • Here's a method call example. public class MethodPromotion { public static void main(String[] args) { float x = 4.5f; printSquare(x); printSquare(3); } private static void printSquare(double num) { System.out.println(num * num); } } // end class MethodPromotion

  22. Type Casting 22 • Type casting is an explicit type conversion. It's when an expression's type is converted by using a cast operator. • It's legal to use a cast operator to convert any numeric type to any other numeric type; i.e., the conversion can go in either direction in the previous "ordering scheme" diagram. • Syntax: (<type>) <expression> • For example: double x = 12345.6; int y = (int) x; System.out.println("x = " + x + "\ny = " + y);

  23. Type Casting 23 import java.util.*; public class PrintCharFromAscii { public static void main(String[] args) { Scanner stdIn = new Scanner(System.in); int asciiValue; // user entered ASCII value char ch; // the asciiValue's associated character char nextCh; // the character after ch in the ASCII table System.out.print("Enter an integer between 0 and 127: "); asciiValue = stdIn.nextInt(); ch = (char) asciiValue; nextCh = (char) (asciiValue + 1); System.out.println("Entered number: " + asciiValue); System.out.println("Associated character: " + ch); System.out.println("Next character: " + nextCh); } // end main } // end class PrintCharFromAscii

  24. Prefix/Postfix Modes for Increment/Decrement Operators 24 • There are two different modes for the increment operator – prefix and postfix. • Prefix mode: ++x  increment x before x's value is used • Example: y = ++x;  x = x + 1; y = x; • Postfix mode: x++  increment x after x's value is used • Example: y = x++;  y = x; x = x + 1;

  25. Prefix/Postfix Modes for Increment/Decrement Operators 25 • Trace this code fragment: int x, y; x = 4; y = ++x; System.out.println(x + " " + y); x = 4; y = x++; System.out.println(x + " " + y); xyoutput • Puzzler: What does this code fragment print? int a, b; b = 2; a = b++ + b; b = b++; System.out.println(a + " " + b); After retrieving the variable's value from a postfix operator expression, the JVM immediately updates the variable's value (no waiting for other operations).

  26. Prefix/Postfix Modes for Increment/Decrement Operators 26 • Decrement operators work the same as increment operators except that subtraction is performed instead of addition. • Trace this code fragment: int a, b, c; a = 8; b = --a; c = b-- + 2; System.out.println(a + " " + b + " " + c); abcoutput

  27. Operator Precedence and Evaluation Order 27 • Operator precedence: • Operator precedence determines the grouping of operands to operators when an expression is surrounded by two operators. So these are equivalent: z = y + ++y * y  z = (y + ((++y) * y))) • Evaluation order: • The JVM uses operator precedence to identify an expression's binary operations. The JVM then evaluates the expression's binary operations left to right - left expression first, then right expression, then the binary operation's operator is executed. • What does the following code print? int y = 3; z = y + ++y * y; System.out.println("z = " + z);

  28. Embedded Assignment Expressions 28 • Assignment expressions are sometimes embedded inside larger expressions. When that happens, remember that: • An assignment expression evaluates to the assigned value. • The assignment operator exhibits right-to-left associativity and right-to-left evaluation order (which is an exception to the left-to-right evaluation order rule on the previous slide). • Trace this code fragment: int a, b = 8, c = 5; a = b = c; System.out.println(a + " " + b + " " + c);

  29. Embedded Assignment Expressions 29 • In the interest of compactness, it's fairly common to embed an assignment expression inside a loop condition. For example: import java.util.Scanner; public class AverageScore { public static void main(String[] args) { double score; double count = 0; double totalScore = 0; Scanner stdIn = new Scanner(System.in); System.out.print("Enter a score (or -1 to quit): "); while ((score = stdIn.nextDouble()) != -1) { count++; totalScore += score; System.out.print("Enter a score (or -1 to quit): "); } if (count > 0) { System.out.println("Average score = " + totalScore / count); } } // end main } // end AverageScore class

  30. Conditional Operator Expressions 30 • Conditional operator expressions implement if else logic using a more compact form. • Conditional operator expression syntax: <condition> ? <expression1> : <expression2> • Semantics: • If the condition is true, then the conditional operator expression evaluates to the value of expression1. • If the condition is false, then the conditional operator expression evaluates to the value of expression2. • Assume x = 2 and y = 5. What does this expression evaluate to? (x>y) ? x : y

  31. Conditional Operator Expressions 31 • A conditional operator expression cannot appear on a line by itself because it is not considered to be a statement. Instead, it must be embedded inside of a statement. For example: int score = 58; boolean extraCredit = true; score += (extraCredit ? 2 : 0); System.out.println( "grade = " + ((score>=60) ? "pass" : "fail")); • What does the above code fragment print?

  32. Conditional Operator Expressions 32 • Using the conditional operator and not the Math.abs method, write a one-line code fragment that implements this pseudocode: x  absolute value of y

  33. Expression Evaluation Practice 33 • Evaluate the following expressions: 5 + 6 + "7" + 8 + 9 '5' + '6' + "7" + '8' + '9' 5 + '6'

  34. Expression Evaluation Practice 34 • Assume: int x = 6, y = 4; double z = 10; • Evaluate the following expressions: (z - x / y * 4) / 4 x + y++ 8 + --z z = y = x % 2

  35. Expression Evaluation Practice 35 • Assume: int x = 5, y = 6; double z = 7.7; • Evaluate the following expressions: (int) z - z y = 8.0 ('A' == 65) && ('c' < 'D') ? "yes" : "no" (x <= 10) && (z = 2.2)

  36. Short-Circuit Evaluation 36 • The following code fragment calculates a basketball player's shooting percentage and prints an associated message. • What happens when the code runs with input values of 0 and 0? System.out.print("Number of shots attempted: "); attempted = stdIn.nextInt(); System.out.print("Number of shots made: "); made = stdIn.nextInt(); if ((attempted > 0) && ((double) made / attempted) >= .5) { System.out.printf( "Excellent shooting percentage – %.1f%%\n", 100.0 * made / attempted); } else { System.out.println("Practice your shot more."); } Use %% to print a percent sign.

  37. Short-Circuit Evaluation 37 • An expression containing && or || is evaluated only until truth or falsity is known. Therefore, • For the && operator, short-circuiting takes place when the left operand is false. • For the || operator, short-circuiting takes place when the left operand is true. • So what's the benefit of short-circuit evaluation? • Aside: • To print a percent sign (%) in a printf statement, use the %% conversion specifier. Unlike the other conversion specifiers, it is a standalone entity; it doesn’t have an argument that plugs into it. It simply prints the percent character. • For example, what does the previous slide's code fragment print if the input is 10 and 6?

  38. Empty Statement 38 • The empty statement is a statement that does nothing. • It consists of a semicolon by itself. • Use the empty statement in places where the compiler requires a statement, but there is no need to do anything. • Example: • The for loop below can be used as a "quick and dirty" way to add a delay to your program: <print monster> for (int i=0; i<1_000_000_000; i++) ; <erase monster> Style requirement: Put the empty statement on a line by itself and indent it.

  39. Empty Statement 39 • Empty statements can sometimes be useful, but they can also lead to cryptic code. Use them only if there's a good reason to do so. • Be aware that programmers sometimes accidentally introduce the empty statement into a program. Such statements are usually the source of runtime errors. For example: System.out.print("Do you want to play a game (y/n)? "); while (stdIn.next().equals("y")); { // The code to play the game goes here ... System.out.print("Play another game (y/n)? "); } empty statement

  40. break Statement Within a Loop 40 • The break statement when used inside a loop: • It terminates the immediately enclosing loop and gives control to the next statement after the bottom of the loop. • What does the program on the next slide do? • Don't fall into the trap of using the break statement too often. • Usually, someone reading your program will look only at the loop heading to figure out how the loop terminates. • In using a break statement, you force the reader to look inside of the loop for loop termination conditions. And that makes your program harder to understand. • Nonetheless, in certain situations, the break statement improves readability rather than hinders it.

  41. break Statement Within a Loop 41 public class DayTrader { public static void main(String[] args) { double balance = 1000; // money that's not invested double moneyInvested; // money that is invested double moneyReturned; // money that's earned at end of day int day; // current day, ranges from 1 to 90 for (day=1; day<=90; day++) { if (balance < 1 || balance > 5000) { break; } balance = moneyInvested = balance / 2.0; moneyReturned = moneyInvested * (Math.random() * 2); balance += moneyReturned; } // end for System.out.printf("final balance on day %d: $%4.2f\n", day - 1, balance); } // end main } // end DayTrader

  42. Enumerated Types 43 • An enumerated type is a programmer-defined type that is used to restrict a variable to holding one of a fixed set of values defined by the programmer. • Suppose you are writing a program that needs to keep track of the day of the week. An elegant solution would be to define a Day enumerated type like this: public enum Day { SUNDAY, MONDAY, TUESDAY, WEDNESDAY, THURSDAY, FRIDAY, SATURDAY } • After Day is defined, you can use it to declare a day variable like this: Day day; • Later, you can assign one of the enumerated values to day like this: day = Day.FRIDAY; An enumerated type’s values are named constants, so they should use all uppercase.

  43. Grade Management Program 44 import java.util.Scanner; public class GradeManagement { private enum Grade {F, D, C, B, A} public static void main(String[] args) { int numOfCourses = 0; Grade grade; int totalPts = 0; do { grade = GradeManagement.getGrade(); // null entry means quit if (grade != null) { numOfCourses++; switch (grade) { case A: totalPts += 4; break; case B: totalPts += 3; break; case C: totalPts += 2; break; case D: totalPts += 1; } // end switch } // end if } while (grade != null); if (numOfCourses == 0) { System.out.println( "No scores were entered."); } else { System.out.printf( "Overall GPA: %.2f\n", (float) totalPts / numOfCourses); } } // end main For case constants, use the enumerated type's value by itself.

  44. Grade Management Program 45 private static Grade getGrade() { Scanner stdIn = new Scanner(System.in); float percentage; // overall percentage for one course Grade grade = null; // the course grade System.out.print( "Enter course overall percentage (-1 to quit): "); percentage = stdIn.nextFloat(); if (percentage >= 90.0) grade = Grade.A; else if (percentage >= 80.0) grade = Grade.B; else if (percentage >= 70.0) grade = Grade.C; else if (percentage >= 60.0) grade = Grade.D; else if (percentage >= 0.0) grade = Grade.F; return grade; } // end getGrade } // end class GradeManagement To access an enumerated type's value, preface it with the enumerated type's name and a dot.

  45. Comparing Enumerated Type Values 46 • You can test enumerated types for equality using == and != operators, like this: if (grade == Grade.F) { System.out.println( "If this is a required course, you must retake it."); } • The computer pays attention to the order in which we list an enumerated type’s values. Values listed earlier are “less than” ones listed later. But we cannot use <, >, <=, or >= directly. First, we must have the enumerated constant call its ordinal method, which returns its position within its enumerated type declaration where 0 is the first position. For example: if (grade.ordinal() < Grade.C.ordinal()) { System.out.println("If this is a prerequisite course for" + " a required course, you must retake it."); }

  46. An Enumerated Type as a Class 47 • An enumerated type is a class of pre-instantiated constant objects. • The definition of an enumerated type can be in a separate file with a .java extension, like any other class, and after compiling, it’s compiled form will be in a file with a .class extension. • Steps in defining an enumerated type as a fixed list of objects: Step 1: Provide a list of names for the objects, with each name followed by a list of values in parentheses. Step 2: Provide a list of instance constants that correspond to and will store each object’s parenthetical list of values. Step 3: Provide a private constructor whose parameters correspond to the parenthetical lists of values in step 1, and have that constructor use those values to initialize the instance constants in step 2. • Because the constructor is private, it cannot be called from outside the enumerated type definition. So what calls this constructor? The items in Step 1’s list. Each name in step 1’s list and its corresponding parenthetical list of constants is a cryptic constructor call. The name is the name of the created object, and the values in parentheses after that name are the arguments passed to the constructor.

  47. Enumeration of Cities 48 /************************************************************* * City.java * Dean & Dean * * Stores location properties of a group of cities and provides * the ability to calculate distances between them. *************************************************************/ public enum City { PARKVILLE (39.2, -94.7), // USA HAVANA (23.1, -82.4), // Cuba KINGSTON (18.0, -76.8), // Jamaica NASSAU (25.1, -77.3), // Bahamas SAINT_THOMAS (18.3, -64.9); // Virgin Islands // location of the city in degrees public final double latitude; public final double longitude; private City(double latitude, double longitude) { this.latitude = latitude; this.longitude = longitude; }

  48. Enumeration of Cities 49 // This method returns the distance in km between two cities. public double getDistance(City destination) { final double R = 6371; // approximate mean radius of earth in km double lat1, lon1; // latitude and longitude of origin city double lat2, lon2; // latitude and longitude of destination city double a; // intermediate value used in haversine formula // upcoming trig functions work with radians, not degrees lat1 = Math.toRadians(this.latitude); lon1 = Math.toRadians(this.longitude); lat2 = Math.toRadians(destination.latitude); lon2 = Math.toRadians(destination.longitude); a = Math.pow(Math.sin((lat2 - lat1) / 2), 2) + Math.pow(Math.sin((lon2 - lon1) / 2), 2) * Math.cos(lat1) * Math.cos(lat2); return (2 * Math.atan2(Math.sqrt(a), Math.sqrt(1-a))) * R; } // end getDistance } // end City

  49. CityTravel Program 50 /************************************************************* * CityTravel.java * Dean & Dean * * This class prints the distance between two cities. *************************************************************/ public class CityTravel { public static void main(String[] args) { final double KM_TO_MILES = 0.62137; // conversion factor City origin = City.PARKVILLE; City destination = City.KINGSTON; double distance = origin.getDistance(destination); // in km System.out.printf("%s to %s: %.1f km, or %.1f miles\n", origin, destination, distance, distance * KM_TO_MILES); } // end main } // end CityTravel Output: PARKVILLE to KINGSTON: 2922.1 km, or 1815.7 miles

  50. Retrieving All the Objects of an Enumerated Type 51 • You can retrieve all the objects in an enumerated type by calling the enumerated type’s values method. • This method call returns an array of the enumerated type’s objects. You can then process each of these objects using a standard loop or a for-each loop, like this: for (City city : City.values()) { System.out.print(city + " "); }

More Related