SlideShare a Scribd company logo
Java Reloaded
      JDK 7
  by Deniz Oğuz
Objective



   Learn what is included in JDK 7 and
 remember to use Google when required
JDK Release History
 Version            Release Date

 JDK 1.0            1996-01-23

 JDK 1.1            1997-02-18
 JDK 1.1.4          1997-09-12
 JDK 1.1.5          1997-12-03
 JDK 1.1.6          1998-04-24
 JDK 1.1.7          1998-09-28              • Normal release cycle was 2 years, J2SE is 3
 JDK 1.1.8          1999-04-08
 J2SE 1.2           1998-12-04                years late. It should have bean released at the
 J2SE 1.2.1         1999-03-30                end of 2008.
 J2SE 1.2.2         1999-07-08
 J2SE 1.3           2000-05-08              • Some of the most wanted features are
 J2SE 1.3.1         2001-05-17                postponed to J2SE 8.
 J2SE 1.4.0         2002-02-13
 J2SE 1.4.1         2002-09-16
 J2SE 1.4.2         2003-06-26

 J2SE 5.0           2004-09-29

 J2SE 6             2006-12-11
              Future Releases

 J2SE 7             2011-07-28
 J2SE 8             Expected in late 2012
How to Try JDK 7 Features?
1.   Download JDK 7 build from jdk7.java.net
        (download zipped version and extract to a folder)
2.   Download Netbeans 7
        (download SE version, 80 MB)
3.   In the IDE, choose Tools > Java Platforms from the main menu
4.   Click Add Platform and specify the directory that contains the JDK
5.   Ensure JDK 1.7 is chosen in the Platforms list and click Close
6.   On Project Properties' Libraries section Select JDK 1.7 as Java
     Platform
7.   On Project Properties' Sources section Select JDK 7 as
     Source/Binary Format
New Javadoc Format
Project Coin
 String in switch statement
 Binary literals

 Underscore in literals

 Diamond operator

 Improved exception handling

 Try with resource

 Simplified vararg methods invocation
String in Switch Statement
   Before JDK 7 only byte, short, char, int were allowed
    in switch statements
   JDK 7 allows Strings to be used in switch statements
   Why isn’t long supported in switch statements?
    Console console = System.console();
    String day= console.readLine();
    switch (day) {
      case "monday" : console.writer().write("1");break;
      case "tuesday" : console.writer().write("2");break;
      case "wednesday" : console.writer().write("3");break;
      case "thursday" : console.writer().write("4");break;
      case "friday" : console.writer().write("5");break;
      case "saturday" : console.writer().write("6");break;
      case "sunday" : console.writer().write("7");break;
      default:console.writer().write("?");
    }
    console.flush();
Binary Literals
   It is now easier to specify numbers in binary
    form
       int mask = 0b00000000000000000000000011111111;
       int mask = Integer.parseInt(“00000000000000000000000011111111”, 2);
       int mask = 255;
Underscores in Numbers
   int money = 100_000_000;
   long creditCNumber = 3434_3423_4343_4232L;
   int mask = 0b0000_0000_0000_0000_0000_0000_1111_1111;
Diamond Operator
   Before JDK 7:
    Map<Integer, Track> trackStore = new ConcurrentHashMap<Integer, Track>();

   With JDK 7:
    Map<Integer, Track> trackStore = new ConcurrentHashMap<>();
Multi Catch and Final Rethrow
    Problem : You want to handle multiple exceptions with the same code block.
try {
     InputStream inStream = readStream(settingFile);
     Setting setting = parseFile(inStream);
  } catch (IOException ex) {
     log.warn(“Can not access file”, settingFile);
  } catch (FileNotFoundException ex) {
     log.warn(“Can not access file”, settingFile);
  } catch (ParseException ex) {
     log.warn(“{} has incorrect format:{}”, settingFile, ex.getMessage());
  }

try {
     InputStream inStream = readStream(settingFile);
     Setting setting = parseFile(inStream);
  } catch (IOException | FileNotFoundException ex) {
     log.warn(“Can not access file”, settingFile);
  } catch (ParseException ex) {
     log.warn(“{} has incorrect format:{}”, settingFile, ex.getMessage());
  }
Multi Catch and Final Re-throw Cont.

 Problem : You want to handle multiple exceptions with the same code block.

public Setting readSettings(Strin settingFile) throws ParseException, IOException,
FileNotFoundException {
   try {
      InputStream inStream = readStream(settingFile);
      Setting setting = parseFile(inStream);
   } catch (Throwable ex) {
      log.warn(“Can not read settings”, settingFile);
      throw ex;
   }
   ……………..
}
Try With Resource
private static String readConfiguration(String file) {
    BufferedReader reader = null;
    try {
       reader = new BufferedReader(new FileReader(file));
       String line = null;
       StringBuilder content = new StringBuilder(1000);
       while ((line = reader.readLine()) != null) {
          content.append(line);
       }
       return content.toString();
    } catch (IOException ex){
       throw new ConfigurationException("Can not read configuration file:{}", file);
    } finally {
       if (reader != null) {
          try {
             reader.close();
          } catch (IOException ex) {
             ex.printStackTrace();
          }
       }
    }
 }
Try With Resource Cont’

private static String readConfigurationNew(String file) {
    try (BufferedReader reader = new BufferedReader(new FileReader(file));) {
       String line = null;
       StringBuilder content = new StringBuilder(1000);
       while ((line = reader.readLine()) != null) {
         content.append(line);
       }
       return content.toString();
    } catch (IOException ex){
       throw new ConfigurationException("Can not read configuration file:{}", file);
    }
 }
Try With Resource and Autocloseable
 A new interface AutoCloseable is introduced
 Existing Closeable interface is changed to
  extend AutoCloseable interface
 A new method addSuppressed(Exception) is
  added to Throwable
 Exceptions throwed from close method of
  AutoCloseable are suppressed in favor of
  exceptions throwed from try-catch block
 See JavaDoc of Autocloseable for more detail
Autocloseable and Suppressed Exception
Exceptions from try-catch body suppresses exceptions thrown from AutoCloseable.close

 public ABCResource implements AutoCloseable {
   @Override
   public void close() throws ABCException {
     dosomething();
     if (errorCondition) {
        throw new ABCException("Not supported yet.");
     }
   }
 }

 public ClientClass {
   public void useABCResource() {
     try (ABCResource resource = new ABCResource();) {
        dosomething();
        if (errorCondition) {
           throw new ClientException("Not supported yet.");
        }
     }
   }
 }
Better Support for Other Languages in JVM

     Statically Typed vs                Dynamically Typed
           Compile time type checking vs runtime type checking
           Java, C, Scala are examples of statically typed languages
           Java Script, Ruby are examples of dynamically typed languages

     Strongly Typed vs Weakly Typed
           Automatic type conversion as necessary vs fixed type
           Java Script is weakly typed language
           Java is a strongly typed language
public void printTotal(a, b) {
  print a + b;
}

public void printTotal(int a, int b) {
  print a + b;
}
Dynamic Typing was Difficult to
 Implement on JVM
• New bytecode is introduced
   • invokeinterface
   • invokestatic
   • invokevirtual
   • invokespecial
   • invokedynamic (Only bytecode in JVM that is not used by Java PL)

• Execution environment of the programming language provides a bootstrap
method for resolving method invocations
Fork/Join Framework
 Uses work-stealing algorithm
 Task is broken into smaller parts recursively

 A new ExecutorService implementation
  ForkJoinPool is added
 ForkJoinTask and its subclasses
  RecursiveAction and RecursiveTask are added
General Usage Pattern of Fork/Join
Result compute(Problem problem) {
 if (problem is small)
   directly solve problem
 else {
   split problem into independent parts
   fork new subtasks to solve each part
   join all subtasks
   compose result from subresults
 }

else {
  RecursiveTask left = new ComputationTask(array, low, mid);
  RecursiveTask right = new ComputationTask(array, mid, high);
  right.fork();
  return left.compute() + right.join();
}

main {
  RecursiveTask computationTask = new ComputationTask(array, 0, array.length);
  ForkJoinPool mainPool = new ForkJoinPool();
  Long result = mainPool.invoke(computationTask);
}
Work Stealing
 Less thread contention
 Improved data locality

 Execute large tasks early
TransferQueue
    Allows producers to wait until message is processed by a consumer even if the queue is not
    full.

     transfer(E e)
          Transfers the element to a consumer, waiting if necessary to do so.
     tryTransfer(E e)
          Transfers the element to a waiting consumer immediately, if possible.
     tryTransfer(E e, long timeout, TimeUnit unit)
          Transfers the element to a consumer if it is possible to do so before the timeout elapses.
     getWaitingConsumerCount()
          Returns an estimate of the number of consumers waiting to receive elements via BlockingQueue.take() or timed poll
     hasWaitingConsumer()
          Returns true if there is at least one consumer waiting to receive an element via BlockingQueue.take () or timed poll.
ThreadLocalRandom
 A random number generator isolated to current
  thread
 Aim is to reduce contention in multi threaded
  environments
 Usage:
     ThreadLocalRandom.current().nextInt(min, max);
     ThreadLocalRandom.current().nextLong(min, max);

     ThreadLocalRandom.current().nextDouble(min,
      max);
ConcurrentLinkedDeque
 Unbound concurrent deque based on linked
  nodes
 Concurrent insertion, removal, and access
  operations execute safely across multiple
  threads
 Iterators are weakly consistent and do not
  throw ConcurrentModificationException
 size() method is NOT constant in time
 Bulk operations are not guaranteed to
  perform atomically
Phaser
 An reusable synchronization barrier
 Similar to CyclicBarrier or CountDownLatch but
  with more advance features        :
       Allows number of registered parties to change after
        Phaser creation
       Each generation increment phase number of phaser
       There are blocking and non blocking versions of
        operations
   Extremely flexible and complex, use Javadoc
    when you need to use this class
SCTP Support
                         Feature             SCTP           TCP        UDP
Connection-oriented                                         
Full duplex                                                          
Reliable data transfer                                      
Partial-reliable data transfer              optional
Ordered data delivery                                       
Unordered data delivery                                               
Flow control                                                
Congestion control                                          
ECN capable                                                 
Selective ACKs                                           optional
Preservation of message boundaries                                    
Path MTU discovery                                          
Application PDU fragmentation                               
Application PDU bundling                                    
Multistreaming                                 
Multihoming                                    
Protection against SYN flooding attacks                               n/a
Allows half-closed connections                                        n/a
Reachability check                                          
Psuedo-header for checksum                (uses vtags)                
Time wait state                            for vtags     for 4-tuple   n/a


  • Not all operating systems support SCTP
The Need for Java NIO.2
   Methods works inconsistently
       Delete method sometimes can not delete
       Rename method sometimes can not rename
 No Exception is thrown from failed method
 Accessing metadata of files is limited
 Does not scale well
       Listing a directory may take a long time (especially
        over network directories)
 A change notification facility is not provided
 Developers wanted to create their own file
  system implementations
       For example an in-memory file system
Pluggable FileSystems
 java.nio.file.FileSystems is factory for file systems.
 Implement java.nio.file.spi.FileSystemProvider to
  provide your own file systems
       A filesystem provider for Zip and Jar files are included
        in JDK 7
       You can implement a filesystem to open a ISO image
        as a file system, or implement a RAM disk etc……
 java.nio.file.FileSystems.getDefault() is used most
  of the time
 Multiple/Alternate views of same underlying files
       Hides some files for security, read-only view, etc.
java.nio.file.Path and java.nio.file.Files
   Use java.nio.file.Path and java.nio.file.Files instead of
    java.io.File
      Use java.io.File.toPath and java.nio.file.Path.toFile
        methods to integrate with legacy code
   java.nio.file.Paths contains factory methods for
    java.nio.file.Path
       static Path getPath(String first, String… more)
       static Path getPath(URI uri)
   Once you obtained Path object use java.nio.file.Files
    static methods to process
       copy, createLink, createTempFile, delete, exist,
        getPosixFilePermissions, getAttribute, isHidden,
        isExecutable, isSymbolicLink, newByteChannel ……
Asynchronous I/O
   Allows application to continue on something while waiting
    for I/O
   Asynchronous I/O operations will usually take one of two
    forms:
         Future<V> operation(...)
         void operation(... A attachment, CompletionHandler<V,? super A> handler)

   See classes AsynchronousXXXXChannel that extends
    AsynchronousChannel
        Path path = Paths.get(“/home/deniz/dropbox/Getting Started.pdf");
        AsynchronousFileChannel ch = AsynchronousFileChannel.open(path);
        ByteBuffer buf = ByteBuffer.allocate(1024);
        Future<Integer> result = ch.read(buf, 0); //read does not block
        while (!result.isDone()) {
          System.out.println(“lets do something else while waiting");
        }
        System.out.println("Bytes read = " + result.get()); //Future.get will block
        ch.close();
Watch Service
   WatchService allows you to monitor a watchable object for changes and events.
    It implements Reactor pattern. Just like Selector does for Channels.
   Use Watchable.register to register with java.nio.file.WatchService to listen
    changes
           WatchKey register(WatchService watcher, WatchEvent.Kind<?>... events)
        WatchEvent.Kind is an interface, actual applicable alternatives depends on Watchable
   Example Watchable objects
        Path, FileSystem

    Path path = Paths.get("C:/Users/Deniz/Dropbox/");
    WatchService watcher = path.getFileSystem().newWatchService();
    while (true) {
      path.register(watcher, StandardWatchEventKinds.ENTRY_CREATE);
      WatchKey key = watcher.take(); // block for event
      for (WatchEvent event : key.pollEvents()) {
        Path pathOfNewFile = (Path) event.context(); // path of new file
        System.out.println("File is created:" + pathOfNewFile.toString());
      }
      key.cancel();
    }
FileVisitor
Path start = ...
Files.walkFileTree(start, new SimpleFileVisitor<Path>() {
  public FileVisitResult visitFile(Path file, BasicFileAttributes attrs) throws IOException {
      Files.delete(file);
      return FileVisitResult.CONTINUE;
   }
   public FileVisitResult postVisitDirectory(Path dir, IOException e) throws IOException {
      if (e == null) {
          Files.delete(dir);
          return FileVisitResult.CONTINUE;
      } else {
          // directory iteration failed
         throw e;
      }
   }});
FileTypeDetector
   Files.walkFileTree(Paths.get("C:/Users/Deniz/Downloads"), new SimpleFileVisitor<Path>() {
       public FileVisitResult visitFile(Path file, BasicFileAttributes attrs) throws IOException {
         String fileType = Files.probeContentType(file);
         System.out.println(file.toString() + ":" + fileType);
         return FileVisitResult.CONTINUE;
       }
   });

Output:
C:UsersDenizDownloadsWirofon-Client-0.2.10-rc01.exe:application/x-msdownload
C:UsersDenizDownloadsPlan B-She Said.mp3:audio/mpeg
C:UsersDenizDownloadsROM or Kernel-Update.pdf:application/pdf
Xrender Pipeline

   Will replace OpenGL pipeline on Unix, Linux
    platforms
       Due to poor OpenGL drivers OpenGL pipeline has
        several problems
       A lot of drivers has optimized Xrender
        implementations
       Xrender is more suited 2D applications than OpenGL
       Xrender applications are native X11 applications
       Other GUI libraries are also using Xrender for 2D
        effects
            QT4, GTK+, KDE4
   Use -Dsun.java2d.xrender=true to enable it
Translucent Windows
    Java SE 6u10 introduced com.sun.awt.AWTUtilities to support translucent and
     shaped windows
          AWTUtilities is removed in JDK7

  Simple translucency
setUndecorated(true);
setOpacity (opacityValue); //opacity value is between 0.0 – 1.0

    Per-Pixel translucency
Color colorA = new Color (255, 0, 0, 0); // Transparent red
Color colorB = new Color (255, 0, 0, 255); // Solid red
setBackground(new Color (0, 0, 0, 0)); // activate per-pixel
    Transparent and shaped windows        // translucency.

protected void paintComponent (Graphics g) {
  Graphics2D g2d = (Graphics2D) g;
  GradientPaint gp = new GradientPaint (
            0.0f, 0.0f, colorA, 0.0f, getHeight (), colorB, true);
  g2d.setPaint (gp);
  g2d.fillRect (0, 0, getWidth (), getHeight ());
}
Shaped Windows
    Shaped windows
          Only the parts that belong to the given Shape
           remain visible and clickable
    A shaped window can also be translucent if
     you want
setUndecorated(true);
setShape(new Ellipse2D.Float (0, 0, getWidth (), getHeight ()));




For code samples see: Exploring JDK 7, Part 2: Translucent and Shaped Windows
JLayer and LayerUI

   Similar to GlassPane but it is a layer around any JComponent not only JRootPane
   You can mask mouse events in installUI method
LayerUI<JFormattedTextField> layerUI = new ValidationLayerUI();
…...
JFormattedTextField dateField = new JFormattedTextField(dateFormat);
JFormattedTextField numberField = new JFormattedTextField(numberFormat);
……
JPanel datePanel = new JPanel();
……
datePanel.add(new JLayer<JFormattedTextField>(dateField, layerUI));
datePanel.add(new JLayer<JFormattedTextField>(numberField , layerUI));
……
class ValidationLayerUI extends LayerUI<JFormattedTextField> {
   public void paint (Graphics g, JComponent c) {
     super.paint (g, c);
     JLayer jlayer = (JLayer) c;
     JFormattedTextField ftf = (JFormattedTextField)jlayer.getView();
     if (!ftf.isEditValid()) {
        //paint an error indicator using Graphics
     }
   }
}
//See http://download.oracle.com/javase/tutorial/uiswing/misc/jlayer.html for details
java.util.Objects

   Static utility methods for simplifying common operations on objects
   requireNonNull(T obj, String message)
        Checks that the specified object reference is not null and throws a
         customized NullPointerException if it is
   int compare(T a, T b, Comparator<? super T> c)
        Perform null and equals checks before invoking c.compare(a,b)
   boolean deepEquals(Object a, Object b)
     boolean equals(Object a, Object b)
        Perform null checks and Arrays.deepEquals if necessary
   String toString(Object o, String nullDefault)
        Perform null check and return nullDefault if o is null

   There are other similar methods, check javadoc
ThreadLocal
    These variables differ from their normal counterparts in that each thread
     that accesses one (via its get or set method) has its own, independently
     initialized copy of the variable

import java.util.concurrent.atomic.AtomicInteger;
public class UniqueThreadIdGenerator {
   private static final AtomicInteger uniqueId = new AtomicInteger(0);
   private static final ThreadLocal<Integer> uniqueNum = new ThreadLocal<Integer> () {
      @Override
      protected Integer initialValue() {
         return uniqueId.getAndIncrement();
       }
   };
  public static int getCurrentThreadId() {
      return uniqueId.get();
  }
} // UniqueThreadIdGenerator
Locale Category
   Locale.setDefault(Category, Locale)
   Locale Locale.getDefault(Category)
   Category.DISPLAY
       Category used to represent the default locale for displaying user
        interfaces
   Category.FORMAT
       Category used to represent the default locale for formatting
        dates, numbers, and/or currencies
   What about default locale Locale.getDefault() ?
       It stays as a different locale (not display or format)
       But Locale.setDefault(Locale) sets 3 different locales
        now:display, format and default locales
       Default locale depends on OS environment variables or value of
        –D flags. Set it to English for your health and change newly
        provided locales (display/format)
References

   Exploring JDK 7, Part 2: Translucent and Shaped Windows
   What’s New in NIO.2 (pdf)
   JDK 7 Features
   The Java NIO.2 File System in JDK 7
   Xrender Proposal
   Java 2D Enhancements in Java SE 7
   How to Decorate Components with the JLayer Class
   StackOverflow

More Related Content

PPTX
Whats New in Java 5, 6, & 7 (Webinar Presentation - June 2013)
PPTX
Core Java introduction | Basics | free course
PDF
Java SE 8 best practices
PPT
Core java
PDF
02 basic java programming and operators
PPTX
Java 101 Intro to Java Programming
PPTX
55 New Features in Java SE 8
Whats New in Java 5, 6, & 7 (Webinar Presentation - June 2013)
Core Java introduction | Basics | free course
Java SE 8 best practices
Core java
02 basic java programming and operators
Java 101 Intro to Java Programming
55 New Features in Java SE 8

What's hot (20)

PPTX
Java 8 Feature Preview
PDF
Core Java
PPT
Java basic
PDF
Smart Migration to JDK 8
PPT
Java Basics
PPTX
Core Java Tutorials by Mahika Tutorials
PPTX
Java SE 8 - New Features
PPT
Java basic tutorial by sanjeevini india
PDF
Java SE 8 library design
PDF
Java 8 features
PPS
Advance Java
PPTX
Core java
PPTX
Introduction to java 101
PPT
JDK1.6
PDF
Java 8 features
PPT
Java Tutorial
PPTX
Java 101 intro to programming with java
PPTX
Core java
PPTX
Java 8 Features
PPT
Java Tutorial
Java 8 Feature Preview
Core Java
Java basic
Smart Migration to JDK 8
Java Basics
Core Java Tutorials by Mahika Tutorials
Java SE 8 - New Features
Java basic tutorial by sanjeevini india
Java SE 8 library design
Java 8 features
Advance Java
Core java
Introduction to java 101
JDK1.6
Java 8 features
Java Tutorial
Java 101 intro to programming with java
Core java
Java 8 Features
Java Tutorial
Ad

Viewers also liked (14)

DOCX
JAVA JDK INSTALLATION PROCEDURE
PPTX
New features in Java 7
PPT
Java 7 new features
PPT
Jdk1.5 Features
PPTX
JDK8 Streams
PPTX
PDF
Java 5 and 6 New Features
PDF
JDK and Eclipse Installation and Configuration
PPTX
Online banking ppt
PPTX
Operators in java
PPT
55 New Features in Java 7
PPT
java Project report online banking system
PPTX
Presentation on Android operating system
PPT
JAVA JDK INSTALLATION PROCEDURE
New features in Java 7
Java 7 new features
Jdk1.5 Features
JDK8 Streams
Java 5 and 6 New Features
JDK and Eclipse Installation and Configuration
Online banking ppt
Operators in java
55 New Features in Java 7
java Project report online banking system
Presentation on Android operating system
Ad

Similar to New Features Of JDK 7 (20)

PPTX
Java 7 Whats New(), Whats Next() from Oredev
PPT
JDK1.7 features
PPTX
Java 7 & 8 New Features
PDF
PostgreSQL and PL/Java
PPT
PDF
Terence Barr - jdk7+8 - 24mai2011
PPTX
Legacy Code Kata v3.0
PPTX
PDF
Ejb3 Dan Hinojosa
ODP
Java 7: Quo vadis?
PPTX
.NET Multithreading/Multitasking
ODT
Best Of Jdk 7
PDF
Java Future S Ritter
ODP
Java Concurrency
PDF
Clojure - A new Lisp
PPT
Java 7 Language Enhancement
PPT
What is Java Technology (An introduction with comparision of .net coding)
PDF
55j7
ODP
What's new in Java EE 6
PDF
Silicon Valley JUG: JVM Mechanics
Java 7 Whats New(), Whats Next() from Oredev
JDK1.7 features
Java 7 & 8 New Features
PostgreSQL and PL/Java
Terence Barr - jdk7+8 - 24mai2011
Legacy Code Kata v3.0
Ejb3 Dan Hinojosa
Java 7: Quo vadis?
.NET Multithreading/Multitasking
Best Of Jdk 7
Java Future S Ritter
Java Concurrency
Clojure - A new Lisp
Java 7 Language Enhancement
What is Java Technology (An introduction with comparision of .net coding)
55j7
What's new in Java EE 6
Silicon Valley JUG: JVM Mechanics

New Features Of JDK 7

  • 1. Java Reloaded JDK 7 by Deniz Oğuz
  • 2. Objective Learn what is included in JDK 7 and remember to use Google when required
  • 3. JDK Release History Version Release Date JDK 1.0 1996-01-23 JDK 1.1 1997-02-18 JDK 1.1.4 1997-09-12 JDK 1.1.5 1997-12-03 JDK 1.1.6 1998-04-24 JDK 1.1.7 1998-09-28 • Normal release cycle was 2 years, J2SE is 3 JDK 1.1.8 1999-04-08 J2SE 1.2 1998-12-04 years late. It should have bean released at the J2SE 1.2.1 1999-03-30 end of 2008. J2SE 1.2.2 1999-07-08 J2SE 1.3 2000-05-08 • Some of the most wanted features are J2SE 1.3.1 2001-05-17 postponed to J2SE 8. J2SE 1.4.0 2002-02-13 J2SE 1.4.1 2002-09-16 J2SE 1.4.2 2003-06-26 J2SE 5.0 2004-09-29 J2SE 6 2006-12-11 Future Releases J2SE 7 2011-07-28 J2SE 8 Expected in late 2012
  • 4. How to Try JDK 7 Features? 1. Download JDK 7 build from jdk7.java.net  (download zipped version and extract to a folder) 2. Download Netbeans 7  (download SE version, 80 MB) 3. In the IDE, choose Tools > Java Platforms from the main menu 4. Click Add Platform and specify the directory that contains the JDK 5. Ensure JDK 1.7 is chosen in the Platforms list and click Close 6. On Project Properties' Libraries section Select JDK 1.7 as Java Platform 7. On Project Properties' Sources section Select JDK 7 as Source/Binary Format
  • 6. Project Coin  String in switch statement  Binary literals  Underscore in literals  Diamond operator  Improved exception handling  Try with resource  Simplified vararg methods invocation
  • 7. String in Switch Statement  Before JDK 7 only byte, short, char, int were allowed in switch statements  JDK 7 allows Strings to be used in switch statements  Why isn’t long supported in switch statements? Console console = System.console(); String day= console.readLine(); switch (day) { case "monday" : console.writer().write("1");break; case "tuesday" : console.writer().write("2");break; case "wednesday" : console.writer().write("3");break; case "thursday" : console.writer().write("4");break; case "friday" : console.writer().write("5");break; case "saturday" : console.writer().write("6");break; case "sunday" : console.writer().write("7");break; default:console.writer().write("?"); } console.flush();
  • 8. Binary Literals  It is now easier to specify numbers in binary form  int mask = 0b00000000000000000000000011111111;  int mask = Integer.parseInt(“00000000000000000000000011111111”, 2);  int mask = 255;
  • 9. Underscores in Numbers  int money = 100_000_000;  long creditCNumber = 3434_3423_4343_4232L;  int mask = 0b0000_0000_0000_0000_0000_0000_1111_1111;
  • 10. Diamond Operator  Before JDK 7: Map<Integer, Track> trackStore = new ConcurrentHashMap<Integer, Track>();  With JDK 7: Map<Integer, Track> trackStore = new ConcurrentHashMap<>();
  • 11. Multi Catch and Final Rethrow Problem : You want to handle multiple exceptions with the same code block. try { InputStream inStream = readStream(settingFile); Setting setting = parseFile(inStream); } catch (IOException ex) { log.warn(“Can not access file”, settingFile); } catch (FileNotFoundException ex) { log.warn(“Can not access file”, settingFile); } catch (ParseException ex) { log.warn(“{} has incorrect format:{}”, settingFile, ex.getMessage()); } try { InputStream inStream = readStream(settingFile); Setting setting = parseFile(inStream); } catch (IOException | FileNotFoundException ex) { log.warn(“Can not access file”, settingFile); } catch (ParseException ex) { log.warn(“{} has incorrect format:{}”, settingFile, ex.getMessage()); }
  • 12. Multi Catch and Final Re-throw Cont. Problem : You want to handle multiple exceptions with the same code block. public Setting readSettings(Strin settingFile) throws ParseException, IOException, FileNotFoundException { try { InputStream inStream = readStream(settingFile); Setting setting = parseFile(inStream); } catch (Throwable ex) { log.warn(“Can not read settings”, settingFile); throw ex; } …………….. }
  • 13. Try With Resource private static String readConfiguration(String file) { BufferedReader reader = null; try { reader = new BufferedReader(new FileReader(file)); String line = null; StringBuilder content = new StringBuilder(1000); while ((line = reader.readLine()) != null) { content.append(line); } return content.toString(); } catch (IOException ex){ throw new ConfigurationException("Can not read configuration file:{}", file); } finally { if (reader != null) { try { reader.close(); } catch (IOException ex) { ex.printStackTrace(); } } } }
  • 14. Try With Resource Cont’ private static String readConfigurationNew(String file) { try (BufferedReader reader = new BufferedReader(new FileReader(file));) { String line = null; StringBuilder content = new StringBuilder(1000); while ((line = reader.readLine()) != null) { content.append(line); } return content.toString(); } catch (IOException ex){ throw new ConfigurationException("Can not read configuration file:{}", file); } }
  • 15. Try With Resource and Autocloseable  A new interface AutoCloseable is introduced  Existing Closeable interface is changed to extend AutoCloseable interface  A new method addSuppressed(Exception) is added to Throwable  Exceptions throwed from close method of AutoCloseable are suppressed in favor of exceptions throwed from try-catch block  See JavaDoc of Autocloseable for more detail
  • 16. Autocloseable and Suppressed Exception Exceptions from try-catch body suppresses exceptions thrown from AutoCloseable.close public ABCResource implements AutoCloseable { @Override public void close() throws ABCException { dosomething(); if (errorCondition) { throw new ABCException("Not supported yet."); } } } public ClientClass { public void useABCResource() { try (ABCResource resource = new ABCResource();) { dosomething(); if (errorCondition) { throw new ClientException("Not supported yet."); } } } }
  • 17. Better Support for Other Languages in JVM  Statically Typed vs Dynamically Typed  Compile time type checking vs runtime type checking  Java, C, Scala are examples of statically typed languages  Java Script, Ruby are examples of dynamically typed languages  Strongly Typed vs Weakly Typed  Automatic type conversion as necessary vs fixed type  Java Script is weakly typed language  Java is a strongly typed language public void printTotal(a, b) { print a + b; } public void printTotal(int a, int b) { print a + b; }
  • 18. Dynamic Typing was Difficult to Implement on JVM • New bytecode is introduced • invokeinterface • invokestatic • invokevirtual • invokespecial • invokedynamic (Only bytecode in JVM that is not used by Java PL) • Execution environment of the programming language provides a bootstrap method for resolving method invocations
  • 19. Fork/Join Framework  Uses work-stealing algorithm  Task is broken into smaller parts recursively  A new ExecutorService implementation ForkJoinPool is added  ForkJoinTask and its subclasses RecursiveAction and RecursiveTask are added
  • 20. General Usage Pattern of Fork/Join Result compute(Problem problem) { if (problem is small) directly solve problem else { split problem into independent parts fork new subtasks to solve each part join all subtasks compose result from subresults } else { RecursiveTask left = new ComputationTask(array, low, mid); RecursiveTask right = new ComputationTask(array, mid, high); right.fork(); return left.compute() + right.join(); } main { RecursiveTask computationTask = new ComputationTask(array, 0, array.length); ForkJoinPool mainPool = new ForkJoinPool(); Long result = mainPool.invoke(computationTask); }
  • 21. Work Stealing  Less thread contention  Improved data locality  Execute large tasks early
  • 22. TransferQueue Allows producers to wait until message is processed by a consumer even if the queue is not full.  transfer(E e)  Transfers the element to a consumer, waiting if necessary to do so.  tryTransfer(E e)  Transfers the element to a waiting consumer immediately, if possible.  tryTransfer(E e, long timeout, TimeUnit unit)  Transfers the element to a consumer if it is possible to do so before the timeout elapses.  getWaitingConsumerCount()  Returns an estimate of the number of consumers waiting to receive elements via BlockingQueue.take() or timed poll  hasWaitingConsumer()  Returns true if there is at least one consumer waiting to receive an element via BlockingQueue.take () or timed poll.
  • 23. ThreadLocalRandom  A random number generator isolated to current thread  Aim is to reduce contention in multi threaded environments  Usage:  ThreadLocalRandom.current().nextInt(min, max);  ThreadLocalRandom.current().nextLong(min, max);  ThreadLocalRandom.current().nextDouble(min, max);
  • 24. ConcurrentLinkedDeque  Unbound concurrent deque based on linked nodes  Concurrent insertion, removal, and access operations execute safely across multiple threads  Iterators are weakly consistent and do not throw ConcurrentModificationException  size() method is NOT constant in time  Bulk operations are not guaranteed to perform atomically
  • 25. Phaser  An reusable synchronization barrier  Similar to CyclicBarrier or CountDownLatch but with more advance features :  Allows number of registered parties to change after Phaser creation  Each generation increment phase number of phaser  There are blocking and non blocking versions of operations  Extremely flexible and complex, use Javadoc when you need to use this class
  • 26. SCTP Support Feature SCTP TCP UDP Connection-oriented   Full duplex    Reliable data transfer   Partial-reliable data transfer optional Ordered data delivery   Unordered data delivery   Flow control   Congestion control   ECN capable   Selective ACKs  optional Preservation of message boundaries   Path MTU discovery   Application PDU fragmentation   Application PDU bundling   Multistreaming  Multihoming  Protection against SYN flooding attacks  n/a Allows half-closed connections  n/a Reachability check   Psuedo-header for checksum (uses vtags)   Time wait state for vtags for 4-tuple n/a • Not all operating systems support SCTP
  • 27. The Need for Java NIO.2  Methods works inconsistently  Delete method sometimes can not delete  Rename method sometimes can not rename  No Exception is thrown from failed method  Accessing metadata of files is limited  Does not scale well  Listing a directory may take a long time (especially over network directories)  A change notification facility is not provided  Developers wanted to create their own file system implementations  For example an in-memory file system
  • 28. Pluggable FileSystems  java.nio.file.FileSystems is factory for file systems.  Implement java.nio.file.spi.FileSystemProvider to provide your own file systems  A filesystem provider for Zip and Jar files are included in JDK 7  You can implement a filesystem to open a ISO image as a file system, or implement a RAM disk etc……  java.nio.file.FileSystems.getDefault() is used most of the time  Multiple/Alternate views of same underlying files  Hides some files for security, read-only view, etc.
  • 29. java.nio.file.Path and java.nio.file.Files  Use java.nio.file.Path and java.nio.file.Files instead of java.io.File  Use java.io.File.toPath and java.nio.file.Path.toFile methods to integrate with legacy code  java.nio.file.Paths contains factory methods for java.nio.file.Path  static Path getPath(String first, String… more)  static Path getPath(URI uri)  Once you obtained Path object use java.nio.file.Files static methods to process  copy, createLink, createTempFile, delete, exist, getPosixFilePermissions, getAttribute, isHidden, isExecutable, isSymbolicLink, newByteChannel ……
  • 30. Asynchronous I/O  Allows application to continue on something while waiting for I/O  Asynchronous I/O operations will usually take one of two forms:  Future<V> operation(...)  void operation(... A attachment, CompletionHandler<V,? super A> handler)  See classes AsynchronousXXXXChannel that extends AsynchronousChannel Path path = Paths.get(“/home/deniz/dropbox/Getting Started.pdf"); AsynchronousFileChannel ch = AsynchronousFileChannel.open(path); ByteBuffer buf = ByteBuffer.allocate(1024); Future<Integer> result = ch.read(buf, 0); //read does not block while (!result.isDone()) { System.out.println(“lets do something else while waiting"); } System.out.println("Bytes read = " + result.get()); //Future.get will block ch.close();
  • 31. Watch Service  WatchService allows you to monitor a watchable object for changes and events. It implements Reactor pattern. Just like Selector does for Channels.  Use Watchable.register to register with java.nio.file.WatchService to listen changes WatchKey register(WatchService watcher, WatchEvent.Kind<?>... events)  WatchEvent.Kind is an interface, actual applicable alternatives depends on Watchable  Example Watchable objects  Path, FileSystem Path path = Paths.get("C:/Users/Deniz/Dropbox/"); WatchService watcher = path.getFileSystem().newWatchService(); while (true) { path.register(watcher, StandardWatchEventKinds.ENTRY_CREATE); WatchKey key = watcher.take(); // block for event for (WatchEvent event : key.pollEvents()) { Path pathOfNewFile = (Path) event.context(); // path of new file System.out.println("File is created:" + pathOfNewFile.toString()); } key.cancel(); }
  • 32. FileVisitor Path start = ... Files.walkFileTree(start, new SimpleFileVisitor<Path>() { public FileVisitResult visitFile(Path file, BasicFileAttributes attrs) throws IOException { Files.delete(file); return FileVisitResult.CONTINUE; } public FileVisitResult postVisitDirectory(Path dir, IOException e) throws IOException { if (e == null) { Files.delete(dir); return FileVisitResult.CONTINUE; } else { // directory iteration failed throw e; } }});
  • 33. FileTypeDetector Files.walkFileTree(Paths.get("C:/Users/Deniz/Downloads"), new SimpleFileVisitor<Path>() { public FileVisitResult visitFile(Path file, BasicFileAttributes attrs) throws IOException { String fileType = Files.probeContentType(file); System.out.println(file.toString() + ":" + fileType); return FileVisitResult.CONTINUE; } }); Output: C:UsersDenizDownloadsWirofon-Client-0.2.10-rc01.exe:application/x-msdownload C:UsersDenizDownloadsPlan B-She Said.mp3:audio/mpeg C:UsersDenizDownloadsROM or Kernel-Update.pdf:application/pdf
  • 34. Xrender Pipeline  Will replace OpenGL pipeline on Unix, Linux platforms  Due to poor OpenGL drivers OpenGL pipeline has several problems  A lot of drivers has optimized Xrender implementations  Xrender is more suited 2D applications than OpenGL  Xrender applications are native X11 applications  Other GUI libraries are also using Xrender for 2D effects  QT4, GTK+, KDE4  Use -Dsun.java2d.xrender=true to enable it
  • 35. Translucent Windows  Java SE 6u10 introduced com.sun.awt.AWTUtilities to support translucent and shaped windows  AWTUtilities is removed in JDK7  Simple translucency setUndecorated(true); setOpacity (opacityValue); //opacity value is between 0.0 – 1.0  Per-Pixel translucency Color colorA = new Color (255, 0, 0, 0); // Transparent red Color colorB = new Color (255, 0, 0, 255); // Solid red setBackground(new Color (0, 0, 0, 0)); // activate per-pixel  Transparent and shaped windows // translucency. protected void paintComponent (Graphics g) { Graphics2D g2d = (Graphics2D) g; GradientPaint gp = new GradientPaint ( 0.0f, 0.0f, colorA, 0.0f, getHeight (), colorB, true); g2d.setPaint (gp); g2d.fillRect (0, 0, getWidth (), getHeight ()); }
  • 36. Shaped Windows  Shaped windows  Only the parts that belong to the given Shape remain visible and clickable  A shaped window can also be translucent if you want setUndecorated(true); setShape(new Ellipse2D.Float (0, 0, getWidth (), getHeight ())); For code samples see: Exploring JDK 7, Part 2: Translucent and Shaped Windows
  • 37. JLayer and LayerUI  Similar to GlassPane but it is a layer around any JComponent not only JRootPane  You can mask mouse events in installUI method LayerUI<JFormattedTextField> layerUI = new ValidationLayerUI(); …... JFormattedTextField dateField = new JFormattedTextField(dateFormat); JFormattedTextField numberField = new JFormattedTextField(numberFormat); …… JPanel datePanel = new JPanel(); …… datePanel.add(new JLayer<JFormattedTextField>(dateField, layerUI)); datePanel.add(new JLayer<JFormattedTextField>(numberField , layerUI)); …… class ValidationLayerUI extends LayerUI<JFormattedTextField> { public void paint (Graphics g, JComponent c) { super.paint (g, c); JLayer jlayer = (JLayer) c; JFormattedTextField ftf = (JFormattedTextField)jlayer.getView(); if (!ftf.isEditValid()) { //paint an error indicator using Graphics } } } //See http://download.oracle.com/javase/tutorial/uiswing/misc/jlayer.html for details
  • 38. java.util.Objects  Static utility methods for simplifying common operations on objects  requireNonNull(T obj, String message)  Checks that the specified object reference is not null and throws a customized NullPointerException if it is  int compare(T a, T b, Comparator<? super T> c)  Perform null and equals checks before invoking c.compare(a,b)  boolean deepEquals(Object a, Object b) boolean equals(Object a, Object b)  Perform null checks and Arrays.deepEquals if necessary  String toString(Object o, String nullDefault)  Perform null check and return nullDefault if o is null  There are other similar methods, check javadoc
  • 39. ThreadLocal  These variables differ from their normal counterparts in that each thread that accesses one (via its get or set method) has its own, independently initialized copy of the variable import java.util.concurrent.atomic.AtomicInteger; public class UniqueThreadIdGenerator { private static final AtomicInteger uniqueId = new AtomicInteger(0); private static final ThreadLocal<Integer> uniqueNum = new ThreadLocal<Integer> () { @Override protected Integer initialValue() { return uniqueId.getAndIncrement(); } }; public static int getCurrentThreadId() { return uniqueId.get(); } } // UniqueThreadIdGenerator
  • 40. Locale Category  Locale.setDefault(Category, Locale)  Locale Locale.getDefault(Category)  Category.DISPLAY  Category used to represent the default locale for displaying user interfaces  Category.FORMAT  Category used to represent the default locale for formatting dates, numbers, and/or currencies  What about default locale Locale.getDefault() ?  It stays as a different locale (not display or format)  But Locale.setDefault(Locale) sets 3 different locales now:display, format and default locales  Default locale depends on OS environment variables or value of –D flags. Set it to English for your health and change newly provided locales (display/format)
  • 41. References  Exploring JDK 7, Part 2: Translucent and Shaped Windows  What’s New in NIO.2 (pdf)  JDK 7 Features  The Java NIO.2 File System in JDK 7  Xrender Proposal  Java 2D Enhancements in Java SE 7  How to Decorate Components with the JLayer Class  StackOverflow