Java 1.5 Annotation mechanism

Slides:



Advertisements
Similar presentations
JavaScript I. JavaScript is an object oriented programming language used to add interactivity to web pages. Different from Java, even though bears some.
Advertisements

Chapter 1 Object-Oriented Concepts. A class consists of variables called fields together with functions called methods that act on those fields.
13-Jun-15 Regular Expressions in Java. 2 Regular Expressions A regular expression is a kind of pattern that can be applied to text ( String s, in Java)
Regular Expressions in Java. Namespace in XML Transparency No. 2 Regular Expressions Regular expressions are an extremely useful tool for manipulating.
1 Chapter 4 Language Fundamentals. 2 Identifiers Program parts such as packages, classes, and class members have names, which are formally known as identifiers.
Regular Expressions in Java. Regular Expressions A regular expression is a kind of pattern that can be applied to text ( String s, in Java) A regular.
Java Generics. 2 The Dark Ages: Before Java 5 Java relied only on inclusion polymorphism  A polymorphism code = Using a common superclass Every class.
Applications of Regular Expressions BY— NIKHIL KUMAR KATTE 1.
9-Sep-15 Regular Expressions. About “Regular” Expressions In a theory course you should have learned about regular expressions Regular expressions describe.
ADSA: RegExprs/ Advanced Data Structures and Algorithms Objective –look at programming with regular expressions (REs) in Java Semester 2,
Effective Java: Generics Last Updated: Spring 2009.
The Java Programming Language
Hello.java Program Output 1 public class Hello { 2 public static void main( String [] args ) 3 { 4 System.out.println( “Hello!" ); 5 } // end method main.
Netprog: Java Intro1 Crash Course in Java. Netprog: Java Intro2 Why Java? Network Programming in Java is very different than in C/C++ –much more language.
Java 5 Part 1 CSE301 University of Sunderland Harry Erwin, PhD.
Regular Expressions – An Overview Regular expressions are a way to describe a set of strings based on common characteristics shared by each string in.
Data TypestMyn1 Data Types The type of a variable is not set by the programmer; rather, it is decided at runtime by PHP depending on the context in which.
When you read a sentence, your mind breaks it into tokens—individual words and punctuation marks that convey meaning. Compilers also perform tokenization.
Module 6 – Generics Module 7 – Regular Expressions.
Introduction to Java Java Translation Program Structure
 In the java programming language, a keyword is one of 50 reserved words which have a predefined meaning in the language; because of this,
ICS3U_FileIO.ppt File Input/Output (I/O)‏ ICS3U_FileIO.ppt File I/O Declare a file object File myFile = new File("billy.txt"); a file object whose name.
17-Feb-16 String and StringBuilder Part I: String.
© 2006 Pearson Addison-Wesley. All rights reserved 1-1 Chapter 1 Review of Java Fundamentals.
(c) University of Washington10-1 CSC 143 Java Errors and Exceptions Reading: Ch. 15.
OOP Tirgul 11. What We’ll Be Seeing Today  Regular Expressions Basics  Doing it in Java  Advanced Regular Expressions  Summary 2.
Lecture 3: More Java Basics Michael Hsu CSULA. Recall From Lecture Two  Write a basic program in Java  The process of writing, compiling, and running.
1 Problem Solving  The purpose of writing a program is to solve a problem  The general steps in problem solving are: Understand the problem Dissect the.
Information and Computer Sciences University of Hawaii, Manoa
Working with Java.
CSC201: Computer Programming
Lecture 19 Strings and Regular Expressions
© 2016 Pearson Education, Ltd. All rights reserved.
Java Primer 1: Types, Classes and Operators
Chapter 20 Generic Classes and Methods
Testing and Debugging.
Debugging and Random Numbers
Multiple variables can be created in one declaration
Variables and Primative Types
University of Central Florida COP 3330 Object Oriented Programming
Java Programming Course Regular Expression
Week 14 - Friday CS221.
Java Generics.
Exceptions 10-Nov-18.
String and StringBuilder
Object Oriented Programming (OOP) LAB # 8
Starting JavaProgramming
Introduction to C++ Programming
Generics (Parametric Polymorphism)
Java Programming Language
String and StringBuilder
Arrays We often want to organize objects or primitive data in a way that makes them easy to access and change. An array is simple but powerful way to.
Chapter 1: Computer Systems
Regular Expressions in Java
PHP.
Generic programming in Java
elementary programming
ArrayLists 22-Feb-19.
String and StringBuilder
Generics, Lambdas, Reflections
Winter 2019 CMPE212 4/7/2019 CMPE212 – Reminders
String methods 26-Apr-19.
CSC 143 Java Errors and Exceptions.
Review: libraries and packages
Regular Expressions in Java
Exceptions 10-May-19.
Regular Expressions in Java
Regular Expression in Java 101
CMPE212 – Reminders Assignment 2 due next Friday.
Regular Expressions in Java
Presentation transcript:

Java 1.5 Annotation mechanism

Need for metadata Give some information to Java compiler (e.g. "transient" or "deprecated" methods). Give some information to a framework (e.g. testXxx() is a test method for JUnit) Generate some boilerplate code or XML descriptors Indicate mirroring structures - overridden methods, intention to implement interface (also - EJB Session bean's remote interface should be similar to Beans implementation)

Java 1.4 - Metadata Modifier "transient" Naming conventions (like in JUnit)

Java 1.4 - @deprecated in JavaDoc public class SampleDepr_1_4 { /** * @deprecated */ public void depr() { System.out.println("calling depr()"); } public static void main(String[] args) { // using deprecated (new SampleDepr_1_4()).depr(); public class SampleDepr_1_5 { @Deprecated ...

Sample - a Servlet package annotations; import javax.servlet.http.HttpServlet; import javax.servlet.http.HttpServletRequest; import javax.servlet.http.HttpServletResponse; @SuppressWarnings({"serial"}) public class MyServlet extends HttpServlet { @Override public void doGet(HttpServletRequest request, HttpServletResponse response) { // ... } Warning: "The serializable class MyServlet does not declare a static final serialVersionUID field of type long"

More warnings @SuppressWarnings({"unchecked", "deprecation"}) -

@Override - Covariant return types In Java 1.4 - compilation error (cannot override getPreferredFood() in Animal; attempting to use incompatible return type); for Java 1.5 covariant return types do compile. In these unusual cases @Override considerably helps in understanding the program.

@Override - prevent typos public class Point3D { private int x,y,z; public boolean equal (Object o) { if (!(o instanceof Point3D)) { return false; } Point3D point = (Point3D)o; return x==point.x && y==point.y && z==point.z; @Override equals

Testcase for Custom testing tool public class Foo { @Test public static void m1() { } public static void m2() { } @Test public static void m3() { throw new RuntimeException("Boom"); } public static void m4() { } @Test public static void m5() { } public static void m6() { } @Test public static void m7() { throw new RuntimeException("Crash"); public static void m8() { }

Testingtool itself import java.lang.reflect.*; public class RunTests { public static void main(String[] args) throws Exception { int passed = 0, failed = 0; for (Method m : Class.forName(args[0]).getMethods()) { if (m.isAnnotationPresent(Test.class)) { try { m.invoke(null); passed++; } catch (Throwable ex) { System.out.printf("Test %s failed: %s %n", m, ex.getCause()); failed++; } System.out.printf("Passed: %d, Failed %d%n", passed, failed);

Generics

Trap in Java 1.4 Collections public static void main(String[] args) { // This list should hold only strings. List wordlist = new ArrayList(); // Oops! We added a String[] wordlist.add(args); // get returns Object String word = (String)wordlist.get(0); }

Rewrite in Java 1.5 public static void main(String[] args) { // This list can only hold String objects List<String> wordlist = new ArrayList<String>(); // args is a String[], not String, so the compiler won't let us do this wordlist.add(args); // Compilation error! // We can do this, though. // Notice the use of the new for/in looping statement for(String arg : args) wordlist.add(arg); // No cast is required. List<String>.get() returns a String. String word = wordlist.get(0); }

Two parameters for a Map public static void main(String[] args) { // A map from strings to their position in the args[] array Map<String,Integer> map = new HashMap<String,Integer>(); // Note that we use autoboxing to wrap i in an Integer object. for(int i=0; i < args.length; i++) map.put(args[i], i); // Find the array index of a word. Note no cast is required! Integer position = map.get("hello"); // We can also rely on autounboxing to convert directly to an int, // but this throws a NullPointerException if the key does not exist // in the map int pos = map.get("world"); }

Complex Data Structures // Look at all those nested angle brackets! Map<String, List<List<int[]>>> map = getWeirdMap(); // The compiler knows all the types and we can write expressions // like this without casting. We might still get NullPointerException // or ArrayIndexOutOfBounds at runtime, of course. int value = map.get(key).get(0).get(0)[0]; // Here's how we break that expression down step by step. List<List<int[]>> listOfLists = map.get(key); List<int[]> listOfIntArrays = listOfLists.get(0); int[] array = listOfIntArrays.get(0); int element = array[0];

Generics as Parametrized Type public interface List <E>{ void add(E x); Iterator<E> iterator(); } When applied to Integer, is never executing anything like this public interface IntegerList { void add(Integer x); Iterator<Integer> iterator(); Rather, the Generics receives concrete type (E's replacement) trhough one of the parameters (different from C++'s templates)

Generics and Subtyping List<String> ls = new ArrayList<String>(); // OK List<Object> lo = ls; // Error (String extends Object, but List<String> does NOT extend List<Object>) ArrayList<Integer> l = new ArrayList<Integer>(); List<Integer> m = l; // okay Collection<Integer> n = l; // okay ArrayList<Number> o = l; // error Collection<Object> p = (Collection<Object>)l; // error, even with cast

Runtime Type Safety // Here's a basic parameterized list. List<Integer> li = new ArrayList<Integer>(); // It is legal to assign a parameterized type to a nonparameterized variable List l = li; // This line is a bug, but it compiles and runs. // The Java 5.0 compiler will issue an unchecked warning about it. // If it appeared as part of a legacy class compiled with Java 1.4, however, // then we'd never even get the warning. l.add("hello"); // This line compiles without warning but throws ClassCastException at runtime. // Note that the failure can occur far away from the actual bug. Integer i = li.get(0);

Type Safety with Arrays String[] words = new String[10]; Object[] objs = words; objs[0] = 1; // throws ArrayStoreException List<String>[] wordlists = new ArrayList<String>[10]; ArrayList<Integer> ali = new ArrayList<Integer>(); ali.add(123); Object[] objs = wordlists; objs[0] = ali; // No ArrayStoreException String s = wordlists[0].get(0); // ClassCastException!

Type wildcards public static double sumList(List<? extends Number> list) { double total = 0.0; for(Number n : list) total += n.doubleValue(); return total; }

Using Non-Generic code in Generic public class SampleRaw { @SuppressWarnings("unchecked") public static void main(String[] args) { List<Integer> smallPrimes = Arrays.asList(2, 3, 5, 7, 11, 13, 17, 19); List aa = smallPrimes; // pass "List aa" as argument to some // legacy (Java 1.4) method List<Integer> bb = aa;// can cause warning }

Erasure Erasure gets rid of (erases) all generic type information. All the type information between angle brackets is thrown out, e.g. List<String> is converted into List. All remaining uses of type variables are replaced by the upper bound of the type variable (usually Object). Whenever the resulting code isn't type-correct, a cast to the appropriate type is inserted

Callable is like Runnable with return value public class MyFileSize implements Callable<Point> { String filePath; public FileSize(String filePath) { this.filePath = filePath; } public Point call() throws Exception { File f = new File(filePath); int bytes = (int) f.length(); MyTextFile textfile = new MyTextFile(f); //Iterable<String> int lines = 0; for (@SuppressWarnings("unused") String line : textfile) { lines++; return new Point(bytes, lines);

Using Callable // ... imports public class ConcurrentDirectoryList { static String dir = "c:\\temp\\spring_bootcamp"; public static void main(String[] args) throws Exception { ExecutorService pool = Executors.newFixedThreadPool(2); File directory = new File(dir); String[] files = directory.list(new FilenameFilter() { public boolean accept(File dir, String name) { return name.endsWith(".htm"); } }); for (int i = 0; i < files.length - 1; i += 2) { Future<Point> f0 = pool.submit(new MyFileSize(dir + "\\" + files[i])); Future<Point> f1 = pool.submit(new MyFileSize(dir + "\\" + files[i + 1])); System.out.println(files[i] + " " + f0.get()); System.out.println(files[i + 1] + " " + f1.get());

Bibliography http://www.onjava.com/pub/a/onjava/2005/04/20/javaIAN5.html - Flanagan's favorite features of Java 1.5 http://java.sun.com/docs/books/tutorial/extra/index.html - Generics

Regular Expressions

Trying out regular expressions String REGEX = "o+p."; String INPUT = "Oooops! opt"; Pattern pattern = Pattern.compile(REGEX,Pattern.CASE_INSENSITIVE); Matcher matcher = pattern.matcher(INPUT); while (matcher.find()) { System.out.println("Found '" + matcher.group() + "' starting at " + matcher.start() + ", ending at " + matcher.end()); } // Should print: // Found 'Oooops' starting at 0, ending at 6 // Found 'opt' starting at 8, ending at 11

MatchResult interface - new in Java 1.5 public static List<MatchResult> findAll(Pattern pattern, CharSequence text) { List<MatchResult> results = new ArrayList<MatchResult>(); Matcher m = pattern.matcher(text); while(m.find()) results.add(m.toMatchResult()); return results; } And here's code that uses that method: List<MatchResult> results = findAll(pattern, text); for(MatchResult r : results) { System.out.printf("Found '%s' at (%d,%d)%n", r.group(), r.start(), r.end());

Regular Expressions A regular expression is a kind of pattern that can be applied to text (Strings, in Java) A regular expression either matches the text (or part of the text), or it fails to match If a regular expression matches a part of the text, then you can easily find out which part If a regular expression is complex, then you can easily find out which parts of the regular expression match which parts of the text Regular expressions are an extremely useful tool for manipulating text Regular expressions are heavily used in the automatic generation of Web pages 2

Perl and Java The Perl programming language is heavily used in server-side programming, because Much server-side programming is text manipulation Regular expressions are built into the syntax of Perl Beginning with Java 1.4, Java has a regular expression package, java.util.regex Java’s regular expressions are almost identical to those of Perl This new capability greatly enhances Java 1.4’s text handling Regular expressions are easier and more convenient in Perl 3

A first example The regular expression "[a-z]+" will match a sequence of one or more lowercase letters [a-z] means any character from a through z, inclusive + means “one or more” Suppose we apply this pattern to the String "Now is the time" There are three ways we can apply this pattern: To the entire string: it fails to match because the string contains characters other than lowercase letters To the beginning of the string: it fails to match because the string does not begin with a lowercase letter To search the string: it will succeed and match ow If applied repeatedly, it will find is, then the, then time, then fail 4

Doing it in Java, I First, you must compile the pattern import java.util.regex.*; Pattern p = Pattern.compile("[a-z]+"); Next, you must create a matcher for a specific piece of text by sending a message to your pattern Matcher m = p.matcher("Now is the time"); Points to notice: Pattern and Matcher are both in java.util.regex Neither Pattern nor Matcher has a public constructor; you create these by using methods in the Pattern class The matcher contains information about both the pattern to use and the text to which it will be applied 5

Doing it in Java, II Now that we have a matcher m, m.matches() returns true if the pattern matches the entire text string, and false otherwise m.lookingAt() returns true if the pattern matches at the beginning of the text string, and false otherwise m.find() returns true if the pattern matches any part of the text string, and false otherwise If called again, m.find() will start searching from where the last match was found m.find() will return true for as many matches as there are in the string; after that, it will return false When m.find() returns false, matcher m will be reset to the beginning of the text string (and may be used again) 6

Finding what was matched After a successful match, m.start() will return the index of the first character matched After a successful match, m.end() will return the index of the last character matched, plus one If no match was attempted, or if the match was unsuccessful, m.start() and m.end() will throw an IllegalStateException This is a RuntimeException, so you don’t have to catch it It may seem strange that m.end() returns the index of the last character matched plus one, but this is just what most String methods require For example, "Now is the time".substring(m.start(), m.end()) will return exactly the matched substring 7

Additional methods If m is a matcher, then m.replaceFirst(replacement) returns a new String where the first substring matched by the pattern has been replaced by replacement m.replaceAll(replacement) returns a new String where every substring matched by the pattern has been replaced by replacement m.find(startIndex) looks for the next pattern match, starting at the specified index m.reset() resets this matcher m.reset(newText) resets this matcher and gives it new text to examine (which may be a String, StringBuffer, or CharBuffer) 9

Some simple patterns abc exactly this sequence of three letters [abc] any one of the letters a, b, or c [^abc] any character except one of the letters a, b, or c (immediately within an open bracket, ^ means “not,” but anywhere else it just means the character ^) [a-z] any one character from a through z, inclusive [a-zA-Z0-9] any one letter or digit 10

Sequences and alternatives If one pattern is followed by another, the two patterns must match consecutively For example, [A-Za-z]+[0-9] will match one or more letters immediately followed by one digit The vertical bar, |, is used to separate alternatives For example, the pattern abc|xyz will match either abc or xyz 11

Some predefined character classes Notice the space. Spaces are significant in regular expressions! . any one character except a line terminator \d a digit: [0-9] \D a non-digit: [^0-9] \s a whitespace character: [ \t\n\x0B\f\r] \S a non-whitespace character: [^\s] \w a word character: [a-zA-Z_0-9] \W a non-word character: [^\w] 12

Boundary matchers These patterns match the empty string if at the specified position: ^ the beginning of a line $ the end of a line \b a word boundary \B not a word boundary \A the beginning of the input (can be multiple lines) \Z the end of the input except for the final terminator, if any \z the end of the input \G the end of the previous match 13

Greedy quantifiers (The term “greedy” will be explained later) Assume X represents some pattern X? optional, X occurs once or not at all X* X occurs zero or more times X+ X occurs one or more times X{n} X occurs exactly n times X{n,} X occurs n or more times X{n,m} X occurs at least n but not more than m times Note that these are all postfix operators, that is, they come after the operand 14

Types of quantifiers A greedy quantifier will match as much as it can, and back off if it needs to We’ll do examples in a moment A reluctant quantifier will match as little as possible, then take more if it needs to You make a quantifier reluctant by appending a ?: X?? X*? X+? X{n}? X{n,}? X{n,m}? A possessive quantifier will match as much as it can, and never let go You make a quantifier possessive by appending a +: X?+ X*+ X++ X{n}+ X{n,}+ X{n,m}+ 15

Quantifier examples Suppose your text is aardvark Using the pattern a*ardvark (a* is greedy): The a* will first match aa, but then ardvark won’t match The a* then “backs off” and matches only a single a, allowing the rest of the pattern (ardvark) to succeed Using the pattern a*?ardvark (a*? is reluctant): The a*? will first match zero characters (the null string), but then ardvark won’t match The a*? then extends and matches the first a, allowing the rest of the pattern (ardvark) to succeed Using the pattern a*+ardvark (a*+ is possessive): The a*+ will match the aa, and will not back off, so ardvark never matches and the pattern match fails 16

Capturing groups In regular expressions, parentheses are used for grouping, but they also capture (keep for later use) anything matched by that part of the pattern Example: ([a-zA-Z]*)([0-9]*) matches any number of letters followed by any number of digits If the match succeeds, \1 holds the matched letters and \2 holds the matched digits In addition, \0 holds everything matched by the entire pattern Capturing groups are numbered by counting their opening parentheses from left to right: ( ( A ) ( B ( C ) ) ) 1 2 3 4 \0 = \1 = ((A)(B(C))), \2 = (A), \3 = (B(C)), \4 = (C) Example: ([a-zA-Z])\1 will match a double letter, such as letter 17

Capturing groups in Java If m is a matcher that has just performed a successful match, then m.group(n) returns the String matched by capturing group n This could be an empty string This will be null if the pattern as a whole matched but this particular group didn’t match anything m.group() returns the String matched by the entire pattern (same as m.group(0)) If m didn’t match (or wasn’t tried), then these methods will throw an IllegalStateException 18

Example use of capturing groups Suppose word holds a word in English Also suppose we want to move all the consonants at the beginning of word (if any) to the end of the word (so string becomes ingstr) Pattern p = Pattern.compile("([^aeiou]*)(.*)"); Matcher m = p.matcher(word); if (m.matches()) { System.out.println(m.group(2) + m.group(1)); } Note the use of (.*) to indicate “all the rest of the characters” 19

Double backslashes Backslashes have a special meaning in regular expressions; for example, \b means a word boundary Backslashes have a special meaning in Java; for example, \b means the backspace character Java syntax rules apply first! If you write "\b[a-z]+\b" you get a string with backspace characters in it--this is not what you want! Remember, you can quote a backslash with another backslash, so "\\b[a-z]+\\b" gives the correct string Note: if you read in a String from somewhere, this does not apply--you get whatever characters are actually there 20

Escaping metacharacters A lot of special characters--parentheses, brackets, braces, stars, plus signs, etc.--are used in defining regular expressions; these are called metacharacters Suppose you want to search for the character sequence a* (an a followed by a star) "a*"; doesn’t work; that means “zero or more as” "a\*"; doesn’t work; since a star doesn’t need to be escaped (in Java String constants), Java just ignores the \ "a\\*" does work; it’s the three-character string a, \, * Just to make things even more difficult, it’s illegal to escape a non-metacharacter in a regular expression 21

Spaces are significant! There is only one thing to be said about spaces (blanks) in regular expressions, but it’s important: Spaces are significant! A space stands for a space--when you put a space in a pattern, that means to match a space in the text string It’s a really bad idea to put spaces in a regular expression just to make it look better 22

Additions to the String class All of the following are public: public boolean matches(String regex) public String replaceFirst(String regex, String replacement) public String replaceAll(String regex, String replacement) public String[ ] split(String regex) public String[ ] split(String regex, int limit) If the limit n is greater than zero then the pattern will be applied at most n - 1 times, the array's length will be no greater than n, and the array's last entry will contain all input beyond the last matched delimiter. If n is non-positive then the pattern will be applied as many times as possible

Thinking in regular expressions Regular expressions are not easy to use at first It’s a bunch of punctuation, not words The individual pieces are not hard, but it takes practice to learn to put them together correctly Regular expressions form a miniature programming language It’s a different kind of programming language than Java, and requires you to learn new thought patterns In Java you can’t just use a regular expression; you have to first create Patterns and Matchers Java’s syntax for String constants doesn’t help, either Despite all this, regular expressions bring so much power and convenience to String manipulation that they are well worth the effort of learning 23