SlideShare uma empresa Scribd logo
1 de 51
Java 8 Feature Preview
Mostly about Lambdas
New Feature Overview
• Roughly 50 new features
• Worth mentioning
– Concurrency updates (possible STM support)
– JDBC 4.2 – leverage new data types via generic
getter / setter methods (e.g. JSR 310 datatypes)
– Launch JavaFX apps directly
– http://openjdk.java.net/projects/jdk8/features
has full details
Forward Looking Statement
Download JDK 8
• Lambda Support
http://jdk8.java.net/lambda
• No Lambda Support
http://jdk8.java.net/download.html
IDE Support
• Netbeans
• IntelliJ
• Eclipse is on the way (own compiler)
Maven Support
<plugin>
<groupId>org.apache.maven.plugins</groupId>
<artifactId>maven-compiler-plugin</artifactId>
<version>2.3.2</version>
<configuration>
<source>1.8</source>
<target>1.8</target>
</configuration>
</plugin>
Before Compact Profiles
(from Leader Summit –see http://www.hjug.org/present/iouc2013/2013-Java-Leaders-Summit-JavaSE.pdf)
Compact Profiles(from Leader Summit –see http://www.hjug.org/present/iouc2013/2013-Java-Leaders-Summit-JavaSE.pdf)
Nashorn
• Replacement for Rhino JavaScript Engine
• Collaboration between Oracle, IBM, and RedHat
• Makes extensive use of invokedynamic
• 20x faster than Rhino
• Much smaller - can run on embedded devices
• Open Sourced
• Project Page:
http://openjdk.java.net/projects/nashorn/
Metaspace
• Bye bye PermGen
• Holds class metadata
• Introduced for convergence with JRockit
• MetaSpace OoMEs can happen (when capped)
• Initial size limited by amt of native memory
• May want to update tuning flags
JSR 310 – java.time
• All the Java Time classes are immutable and
thread-safe.
• Based on the ISO 8601 calendar system, the de
facto world calendar following the proleptic
Gregorian Rules.
• Support for other calendar systems provided
in java.time.calendar and java.time.temporal
packages.
• Besides classes for dates and times, the API also
has classes for clocks, periods and durations, and
enums for month and day-of-week.
Lambdas
Lambdas
• A lambda expression is like a method: it
provides a list of formal parameters and a
body—an expression or block—expressed in
terms of those parameters.
• Expressions:
s -> s.length()
(int x, int y) -> x+y
() -> 42
Lambdas
• Blocks:
(x, y, z) -> {
if (true) return x;
else {
int result = y;
for (int i = 1; i < z; i++)
result *= i;
return result;
}
}
Typical Use Cases
• Anonymous classes (GUI listeners)
• Runnables / Callables
• Comparator
• Apply operation to a collection via foreach
method
SAM Type / Functional Interface
• Single Abstract Method
• A functional interface is an interface that has just
one abstract method, and thus represents a
single function contract. (Can have other
methods with bodies)
• Abstract classes may be considered in the future
• The @FunctionalInterface annotation helps
ensure the Functional Interface contract is
honored
• What happens when you have more than one
abstract method & use @FunctionalInterface?
Effectively Final
• For both lambda bodies and inner classes,
local variables in the enclosing context can
only be referenced if they
are final or effectively final.
• A variable is effectively final if its value is not
reassigned after its initialization.
• No longer need to litter code with final
keyword
Convert Anonymous Class to Lambdafrom http://learnjavafx.typepad.com/weblog/2013/02/mary-had-a-little-%CE%BB.html
// Anonymous inner class for event handling
.onAction(new EventHandler<ActionEvent>() {
@Override
public void handle(ActionEvent e) {
anim.playFromStart();
}
})
Convert Anonymous Class to Lambda
.onAction((ActionEvent) -> {
anim.playFromStart();
}
})
• The lambda type is inferred by the compiler
as EventHandler<ActionEvent> because
the onAction() method takes an object of
type EventHandler<ActionEvent>.
Convert Anonymous Class to Lambda
.onAction((e) -> {
anim.playFromStart();
})
• The parameter in this lambda expression must
be an ActionEvent, because that is the type
specified by the handle() method of
the EventHandler interface.
Convert Anonymous Class to Lambda
.onAction(e -> {
anim.playFromStart();
} )
• When a lambda expression has a single
parameter and its type is inferred, the
parentheses are not required
Convert Anonymous Class to Lambda
.onAction(e -> anim.playFromStart())
• Because the block of code in our lambda
expression contains only one statement, we
can simplify it even further
forEach
• forEach method available on Iterator & Map
interfaces and their implementations
• Allows for internal control of iteration of
elements for possible parallel operation
List<String> names =
Arrays.asList("Alice", "Bob", "Charlie");
names.forEach(e -> { System.out.println(e); });
java.util.stream
Classes to support functional-style operations on streams of values
• Stream<T> - A sequence of elements supporting
sequential and parallel bulk ops
• Stream opened by calling
– Collection.stream()
– Collection.parallelStream()
List<String> names =
Arrays.asList("Bob", "Alice", "Charlie");
out(names.stream().filter(e -> e.length() > 4 )
.findFirst().get());
Returns “Alice”
java.util.stream
• All other interfaces in stream package
accessible through Stream interface
• Collector<T,R> - A (possibly parallel) reduction
operation that folds input elements into a
mutable result container.
• FlatMapper<T,U> - An operation that maps an
element of type T to zero or more elements of
type U.
java.util.function
Functional interfaces provide target types for lambda expressions and method references.
• Consumer<T> - Action to be performed on an object.
• Function<T,R> - transform a T to an R.
• Supplier<T> - A supplier of objects (e.g. factory).
• Predicate<T> - Determines if the input object matches
some criteria.
• Unary/BinaryOperator<T> - An operation upon a single
/ two operand(s) yielding a result.
• Bi(Consumer/Function/Predicate)<T,U(,R)> - Accepts
two input arguments, yields result if specified
java.util
• Spliterator<T> - A provider of element
traversal operations for a possibly-parallel
computation.
• Optional<T> - A container object which may or
may not contain a non-null value
– Returned by Stream’s aggregate methods
find*(), reduce(), min(), max()
– Call get() to get the value it’s holding
Method & Constructor References
• A method reference is used to refer to a (static
or instance) method without invoking it
• A constructor reference is similarly used to
refer to a constructor without creating a new
instance of the named class or array type.
• Specified with the :: (double colon) operator
Method & Constructor References
• Provide a way to refer to a method / constructor
without invoking it
• Examples:
System::getProperty
"abc"::length
String::length
super::toString
ArrayList::new
int[]::new
Convert call to Method Reference
public class Test {
static void foo(){}
static {
new Runnable() {
@Override
public void run() {
Test.foo();
}
}.run();
}
}
Convert call to Method Reference
public class Test {
static void foo(){}
static {
((Runnable) () -> Test.foo()).run();
}
}
Convert call to Method Reference
public class Test {
static void foo(){}
static {
((Runnable) Test::foo()).run();
}
}
Use a Method Reference
This
bttnExit.setOnAction(
(actionEvent) -> {
try {
stop();
} catch (Exception e) {
// TODO: add error handling
} });
Can be
bttnExit.setOnAction(this::onExit
ButtonClick);
...
void onExitButtonClick() {
try {
stop();
} catch (Exception e) {
// TODO: add error handling
}
}
Use a Constructor Reference
interface Factory<T> { T make(); }
Factory<List<String>> f1 =
ArrayList::<String>new;
• Every time make() is invoked, it will return a
new ArrayList<String>
How many times have
you heard
Whatever!
• Method assigned to privileged interface:
public class Main {
public static class NotAutoCloseable {
public void close() throws Exception {
System.out.println("CLOSE");
}
}
public static void main(String... args) throws Exception {
NotAutoCloseable nac = new NotAutoCloseable();
try (AutoCloseable ac = nac::close) {
}
}
}
Interface Defender Methods
• Interface methods with bodies
• default keyword
• More graceful API evolution
• Interfaces have no state
• Static methods not inherited
• Can reference abstract method
• Called “Extended Interfaces” if no abstract
methods present
Super!
• Extended Interfaces can extend other extended
interfaces
• Methods can be overridden
• Can decorate parent definitions via super
interface I1 { default void method1() {//do stuff}}
interface I2 extends I1{
void default method1() {
super.method1();
//do new stuff
}
}
Specify the Parent Interface
interface D1 { default void meth1() {//do stuff}}
interface D2 extends D1{ void default meth1() {
super.method1(); //do new stuff}}
interface D3 extends D1{ void default meth1() {
super.method1(); //do new stuff}}
interface D4 extends D2, D3{
void default meth1() {
D2.super.method1(); //do new stuff}}
Design Patterns
• Decorator (via super)
• Template Method
• Factory Method
• Others?
New Java 8 Feature Overview
• http://openjdk.java.net/projects/jdk8/features
• http://java.dzone.com/articles/java-%E2%80%93-far-sight-look-jdk-8
Java 8 Maven Support
• http://illegalargumentexception.blogspot.com/2012/08/java-lambda-
support-in-java-8.html
DateTime API
• http://www.infoq.com/news/2013/02/java-time-api-jdk-8
• http://java.dzone.com/articles/introducing-new-date-and-time
• http://geekmonkey.org/articles/24-a-new-date-and-time-api-for-jdk-8
Metaspace
• http://java.dzone.com/articles/java-8-permgen-metaspace
Nashorn
• http://www.infoq.com/news/2012/11/Nashorn-proposal
Lambda JSR
• http://jcp.org/en/jsr/detail?id=335
Java 8 Preview JDK
• http://jdk8.java.net/lambda/ - lambda support
• http://jdk8.java.net/download.html - no lambda support
Articles on Lambdas
• http://www.oraclejavamagazine-digital.com/javamagazine/20121112?pg=35#pg35
• http://www.angelikalanger.com/Conferences/Slides/jf12_LambdasInJava8-1.pdf
• http://datumedge.blogspot.com/2012/06/java-8-lambdas.html
• http://www.infoq.com/articles/java-8-vs-scala
Presentations on Lambdas:
• http://www.slideshare.net/ramonypp/java-8-project-lambda
• http://www.slideshare.net/garthbrown/lambda-functions-in-java-8
• http://www.angelikalanger.com/Conferences/Slides/jf12_LambdasInJava8-1.pdf
Lambda implementation mechanics:
• http://cr.openjdk.java.net/~briangoetz/lambda/lambda-translation.html
Typical lambda use cases:
• http://learnjavafx.typepad.com/weblog/2013/02/mary-had-a-little-%CE%BB.html
• http://blueskyworkshop.com/topics/Java-Pages/lambda-expression-basics/
• http://java.dzone.com/articles/devoxx-2012-java-8-lambda-and
Defender method paper:
• http://cr.openjdk.java.net/~briangoetz/lambda/Defender%20Methods%20v4.pdf
Method references (:: operator)
• http://earthly-powers.blogspot.com/2012/07/java-8-lambda-and-method-references.html
• http://doanduyhai.wordpress.com/2012/07/14/java-8-lambda-in-details-part-iii-method-and-constructor-
referencing/
• http://www.beyondjava.net/blog/are-java-8-method-references-going-to-be-more-important-than-lambdas/
• http://www.lambdafaq.org/what-are-constructor-references/
Stream API:
• http://cr.openjdk.java.net/~briangoetz/lambda/sotc3.html
• http://aruld.info/java-8-this-aint-your-grandpas-java/
• http://java.dzone.com/articles/exciting-ideas-java-8-streams
Sophisticated Lambda use case allowing for avoiding NPEs using Monads:
• http://java.dzone.com/articles/no-more-excuses-use-null
Functional programming in Java
• http://code.google.com/p/functionaljava/
• http://shop.oreilly.com/product/0636920021667.do
• http://apocalisp.wordpress.com/2008/06/18/parallel-strategies-and-the-callable-monad/
Java 8 Feature Preview

Mais conteúdo relacionado

Mais procurados

Productive Programming in Java 8 - with Lambdas and Streams
Productive Programming in Java 8 - with Lambdas and Streams Productive Programming in Java 8 - with Lambdas and Streams
Productive Programming in Java 8 - with Lambdas and Streams Ganesh Samarthyam
 
Java 8 - Features Overview
Java 8 - Features OverviewJava 8 - Features Overview
Java 8 - Features OverviewSergii Stets
 
Introduction to Java 8
Introduction to Java 8Introduction to Java 8
Introduction to Java 8Knoldus Inc.
 
Introduction of Java 8 with emphasis on Lambda Expressions and Streams
Introduction of Java 8 with emphasis on Lambda Expressions and StreamsIntroduction of Java 8 with emphasis on Lambda Expressions and Streams
Introduction of Java 8 with emphasis on Lambda Expressions and StreamsEmiel Paasschens
 
Modern Programming in Java 8 - Lambdas, Streams and Date Time API
Modern Programming in Java 8 - Lambdas, Streams and Date Time APIModern Programming in Java 8 - Lambdas, Streams and Date Time API
Modern Programming in Java 8 - Lambdas, Streams and Date Time APIGanesh Samarthyam
 
The Dark Side Of Lambda Expressions in Java 8
The Dark Side Of Lambda Expressions in Java 8The Dark Side Of Lambda Expressions in Java 8
The Dark Side Of Lambda Expressions in Java 8Takipi
 
Lambda Expressions in Java 8
Lambda Expressions in Java 8Lambda Expressions in Java 8
Lambda Expressions in Java 8icarter09
 
New Features Of JDK 7
New Features Of JDK 7New Features Of JDK 7
New Features Of JDK 7Deniz Oguz
 

Mais procurados (20)

Java 8 Lambda and Streams
Java 8 Lambda and StreamsJava 8 Lambda and Streams
Java 8 Lambda and Streams
 
Productive Programming in Java 8 - with Lambdas and Streams
Productive Programming in Java 8 - with Lambdas and Streams Productive Programming in Java 8 - with Lambdas and Streams
Productive Programming in Java 8 - with Lambdas and Streams
 
Java 8 - Features Overview
Java 8 - Features OverviewJava 8 - Features Overview
Java 8 - Features Overview
 
Java 8 lambda
Java 8 lambdaJava 8 lambda
Java 8 lambda
 
Java SE 8 best practices
Java SE 8 best practicesJava SE 8 best practices
Java SE 8 best practices
 
Introduction to Java 8
Introduction to Java 8Introduction to Java 8
Introduction to Java 8
 
Java 8 features
Java 8 featuresJava 8 features
Java 8 features
 
Introduction of Java 8 with emphasis on Lambda Expressions and Streams
Introduction of Java 8 with emphasis on Lambda Expressions and StreamsIntroduction of Java 8 with emphasis on Lambda Expressions and Streams
Introduction of Java 8 with emphasis on Lambda Expressions and Streams
 
Java 8: the good parts!
Java 8: the good parts!Java 8: the good parts!
Java 8: the good parts!
 
Modern Programming in Java 8 - Lambdas, Streams and Date Time API
Modern Programming in Java 8 - Lambdas, Streams and Date Time APIModern Programming in Java 8 - Lambdas, Streams and Date Time API
Modern Programming in Java 8 - Lambdas, Streams and Date Time API
 
Java concurrency questions and answers
Java concurrency questions and answers Java concurrency questions and answers
Java concurrency questions and answers
 
Streams in Java 8
Streams in Java 8Streams in Java 8
Streams in Java 8
 
The Dark Side Of Lambda Expressions in Java 8
The Dark Side Of Lambda Expressions in Java 8The Dark Side Of Lambda Expressions in Java 8
The Dark Side Of Lambda Expressions in Java 8
 
Smart Migration to JDK 8
Smart Migration to JDK 8Smart Migration to JDK 8
Smart Migration to JDK 8
 
Lambda Expressions in Java 8
Lambda Expressions in Java 8Lambda Expressions in Java 8
Lambda Expressions in Java 8
 
Actors model in gpars
Actors model in gparsActors model in gpars
Actors model in gpars
 
Introduction to new features in java 8
Introduction to new features in java 8Introduction to new features in java 8
Introduction to new features in java 8
 
New Features Of JDK 7
New Features Of JDK 7New Features Of JDK 7
New Features Of JDK 7
 
Java 8 streams
Java 8 streamsJava 8 streams
Java 8 streams
 
Java SE 8 library design
Java SE 8 library designJava SE 8 library design
Java SE 8 library design
 

Semelhante a Java 8 Feature Preview

Java 8 - Project Lambda
Java 8 - Project LambdaJava 8 - Project Lambda
Java 8 - Project LambdaRahman USTA
 
Automatic Migration of Legacy Java Method Implementations to Interfaces
Automatic Migration of Legacy Java Method Implementations to InterfacesAutomatic Migration of Legacy Java Method Implementations to Interfaces
Automatic Migration of Legacy Java Method Implementations to InterfacesRaffi Khatchadourian
 
Lambda Chops - Recipes for Simpler, More Expressive Code
Lambda Chops - Recipes for Simpler, More Expressive CodeLambda Chops - Recipes for Simpler, More Expressive Code
Lambda Chops - Recipes for Simpler, More Expressive CodeIan Robertson
 
java150929145120-lva1-app6892 (2).pptx
java150929145120-lva1-app6892 (2).pptxjava150929145120-lva1-app6892 (2).pptx
java150929145120-lva1-app6892 (2).pptxBruceLee275640
 
Charles Sharp: Java 8 Streams
Charles Sharp: Java 8 StreamsCharles Sharp: Java 8 Streams
Charles Sharp: Java 8 Streamsjessitron
 
A Brief Conceptual Introduction to Functional Java 8 and its API
A Brief Conceptual Introduction to Functional Java 8 and its APIA Brief Conceptual Introduction to Functional Java 8 and its API
A Brief Conceptual Introduction to Functional Java 8 and its APIJörn Guy Süß JGS
 
Belfast JUG 23-10-2013
Belfast JUG 23-10-2013Belfast JUG 23-10-2013
Belfast JUG 23-10-2013eamonnlong
 
JDK8 Lambdas and Streams: Changing The Way You Think When Developing Java
JDK8 Lambdas and Streams: Changing The Way You Think When Developing JavaJDK8 Lambdas and Streams: Changing The Way You Think When Developing Java
JDK8 Lambdas and Streams: Changing The Way You Think When Developing JavaSimon Ritter
 
What's new in c# 8.0
What's new in c# 8.0What's new in c# 8.0
What's new in c# 8.0Moaid Hathot
 
Java 8 Lambda Built-in Functional Interfaces
Java 8 Lambda Built-in Functional InterfacesJava 8 Lambda Built-in Functional Interfaces
Java 8 Lambda Built-in Functional InterfacesGanesh Samarthyam
 
Lambdas and Streams in Java SE 8: Making Bulk Operations simple - Simon Ritter
Lambdas and Streams in Java SE 8: Making Bulk Operations simple - Simon RitterLambdas and Streams in Java SE 8: Making Bulk Operations simple - Simon Ritter
Lambdas and Streams in Java SE 8: Making Bulk Operations simple - Simon RitterJAXLondon2014
 
Lambdas And Streams in JDK8
Lambdas And Streams in JDK8Lambdas And Streams in JDK8
Lambdas And Streams in JDK8Simon Ritter
 
Lambdas : Beyond The Basics
Lambdas : Beyond The BasicsLambdas : Beyond The Basics
Lambdas : Beyond The BasicsSimon Ritter
 
documents.pub_new-features-in-java-8-it-jpoialjavanaitedwien15java8pdf-java-8...
documents.pub_new-features-in-java-8-it-jpoialjavanaitedwien15java8pdf-java-8...documents.pub_new-features-in-java-8-it-jpoialjavanaitedwien15java8pdf-java-8...
documents.pub_new-features-in-java-8-it-jpoialjavanaitedwien15java8pdf-java-8...Akaks
 

Semelhante a Java 8 Feature Preview (20)

Lambdas and Laughs
Lambdas and LaughsLambdas and Laughs
Lambdas and Laughs
 
Java 8 new features
Java 8 new featuresJava 8 new features
Java 8 new features
 
Java 8 - Project Lambda
Java 8 - Project LambdaJava 8 - Project Lambda
Java 8 - Project Lambda
 
Java 8 Intro - Core Features
Java 8 Intro - Core FeaturesJava 8 Intro - Core Features
Java 8 Intro - Core Features
 
Automatic Migration of Legacy Java Method Implementations to Interfaces
Automatic Migration of Legacy Java Method Implementations to InterfacesAutomatic Migration of Legacy Java Method Implementations to Interfaces
Automatic Migration of Legacy Java Method Implementations to Interfaces
 
Lambda Chops - Recipes for Simpler, More Expressive Code
Lambda Chops - Recipes for Simpler, More Expressive CodeLambda Chops - Recipes for Simpler, More Expressive Code
Lambda Chops - Recipes for Simpler, More Expressive Code
 
java150929145120-lva1-app6892 (2).pptx
java150929145120-lva1-app6892 (2).pptxjava150929145120-lva1-app6892 (2).pptx
java150929145120-lva1-app6892 (2).pptx
 
Charles Sharp: Java 8 Streams
Charles Sharp: Java 8 StreamsCharles Sharp: Java 8 Streams
Charles Sharp: Java 8 Streams
 
A Brief Conceptual Introduction to Functional Java 8 and its API
A Brief Conceptual Introduction to Functional Java 8 and its APIA Brief Conceptual Introduction to Functional Java 8 and its API
A Brief Conceptual Introduction to Functional Java 8 and its API
 
Belfast JUG 23-10-2013
Belfast JUG 23-10-2013Belfast JUG 23-10-2013
Belfast JUG 23-10-2013
 
JDK8 Lambdas and Streams: Changing The Way You Think When Developing Java
JDK8 Lambdas and Streams: Changing The Way You Think When Developing JavaJDK8 Lambdas and Streams: Changing The Way You Think When Developing Java
JDK8 Lambdas and Streams: Changing The Way You Think When Developing Java
 
What's new in c# 8.0
What's new in c# 8.0What's new in c# 8.0
What's new in c# 8.0
 
Collections
CollectionsCollections
Collections
 
Java 8 Workshop
Java 8 WorkshopJava 8 Workshop
Java 8 Workshop
 
Java 8 Lambda Built-in Functional Interfaces
Java 8 Lambda Built-in Functional InterfacesJava 8 Lambda Built-in Functional Interfaces
Java 8 Lambda Built-in Functional Interfaces
 
Lambdas and Streams in Java SE 8: Making Bulk Operations simple - Simon Ritter
Lambdas and Streams in Java SE 8: Making Bulk Operations simple - Simon RitterLambdas and Streams in Java SE 8: Making Bulk Operations simple - Simon Ritter
Lambdas and Streams in Java SE 8: Making Bulk Operations simple - Simon Ritter
 
Lambdas And Streams in JDK8
Lambdas And Streams in JDK8Lambdas And Streams in JDK8
Lambdas And Streams in JDK8
 
Lambdas : Beyond The Basics
Lambdas : Beyond The BasicsLambdas : Beyond The Basics
Lambdas : Beyond The Basics
 
Wien15 java8
Wien15 java8Wien15 java8
Wien15 java8
 
documents.pub_new-features-in-java-8-it-jpoialjavanaitedwien15java8pdf-java-8...
documents.pub_new-features-in-java-8-it-jpoialjavanaitedwien15java8pdf-java-8...documents.pub_new-features-in-java-8-it-jpoialjavanaitedwien15java8pdf-java-8...
documents.pub_new-features-in-java-8-it-jpoialjavanaitedwien15java8pdf-java-8...
 

Mais de Jim Bethancourt

Functional Programming in Java
Functional Programming in JavaFunctional Programming in Java
Functional Programming in JavaJim Bethancourt
 
Migrating to Maven 2 Demystified
Migrating to Maven 2 DemystifiedMigrating to Maven 2 Demystified
Migrating to Maven 2 DemystifiedJim Bethancourt
 
Hearthstone To The Limit
Hearthstone To The LimitHearthstone To The Limit
Hearthstone To The LimitJim Bethancourt
 
Recognize, assess, reduce, and manage technical debt
Recognize, assess, reduce, and manage technical debtRecognize, assess, reduce, and manage technical debt
Recognize, assess, reduce, and manage technical debtJim Bethancourt
 
Atlassian Bamboo Feature Overview
Atlassian Bamboo Feature OverviewAtlassian Bamboo Feature Overview
Atlassian Bamboo Feature OverviewJim Bethancourt
 

Mais de Jim Bethancourt (12)

JavaOne 2011 Recap
JavaOne 2011 RecapJavaOne 2011 Recap
JavaOne 2011 Recap
 
Ready, Set, Refactor
Ready, Set, RefactorReady, Set, Refactor
Ready, Set, Refactor
 
Introduction to CDI
Introduction to CDIIntroduction to CDI
Introduction to CDI
 
Functional Programming in Java
Functional Programming in JavaFunctional Programming in Java
Functional Programming in Java
 
Young Java Champions
Young Java ChampionsYoung Java Champions
Young Java Champions
 
Migrating to Maven 2 Demystified
Migrating to Maven 2 DemystifiedMigrating to Maven 2 Demystified
Migrating to Maven 2 Demystified
 
User Group Leader Lunch
User Group Leader LunchUser Group Leader Lunch
User Group Leader Lunch
 
Hearthstone To The Limit
Hearthstone To The LimitHearthstone To The Limit
Hearthstone To The Limit
 
Recognize, assess, reduce, and manage technical debt
Recognize, assess, reduce, and manage technical debtRecognize, assess, reduce, and manage technical debt
Recognize, assess, reduce, and manage technical debt
 
Atlassian Bamboo Feature Overview
Atlassian Bamboo Feature OverviewAtlassian Bamboo Feature Overview
Atlassian Bamboo Feature Overview
 
Java Performance Tweaks
Java Performance TweaksJava Performance Tweaks
Java Performance Tweaks
 
Refactor to the Limit!
Refactor to the Limit!Refactor to the Limit!
Refactor to the Limit!
 

Último

Effectively Troubleshoot 9 Types of OutOfMemoryError
Effectively Troubleshoot 9 Types of OutOfMemoryErrorEffectively Troubleshoot 9 Types of OutOfMemoryError
Effectively Troubleshoot 9 Types of OutOfMemoryErrorTier1 app
 
Precise and Complete Requirements? An Elusive Goal
Precise and Complete Requirements? An Elusive GoalPrecise and Complete Requirements? An Elusive Goal
Precise and Complete Requirements? An Elusive GoalLionel Briand
 
Best Angular 17 Classroom & Online training - Naresh IT
Best Angular 17 Classroom & Online training - Naresh ITBest Angular 17 Classroom & Online training - Naresh IT
Best Angular 17 Classroom & Online training - Naresh ITmanoharjgpsolutions
 
2024 DevNexus Patterns for Resiliency: Shuffle shards
2024 DevNexus Patterns for Resiliency: Shuffle shards2024 DevNexus Patterns for Resiliency: Shuffle shards
2024 DevNexus Patterns for Resiliency: Shuffle shardsChristopher Curtin
 
Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...
Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...
Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...OnePlan Solutions
 
Strategies for using alternative queries to mitigate zero results
Strategies for using alternative queries to mitigate zero resultsStrategies for using alternative queries to mitigate zero results
Strategies for using alternative queries to mitigate zero resultsJean Silva
 
Machine Learning Software Engineering Patterns and Their Engineering
Machine Learning Software Engineering Patterns and Their EngineeringMachine Learning Software Engineering Patterns and Their Engineering
Machine Learning Software Engineering Patterns and Their EngineeringHironori Washizaki
 
OpenChain Education Work Group Monthly Meeting - 2024-04-10 - Full Recording
OpenChain Education Work Group Monthly Meeting - 2024-04-10 - Full RecordingOpenChain Education Work Group Monthly Meeting - 2024-04-10 - Full Recording
OpenChain Education Work Group Monthly Meeting - 2024-04-10 - Full RecordingShane Coughlan
 
A healthy diet for your Java application Devoxx France.pdf
A healthy diet for your Java application Devoxx France.pdfA healthy diet for your Java application Devoxx France.pdf
A healthy diet for your Java application Devoxx France.pdfMarharyta Nedzelska
 
Revolutionizing the Digital Transformation Office - Leveraging OnePlan’s AI a...
Revolutionizing the Digital Transformation Office - Leveraging OnePlan’s AI a...Revolutionizing the Digital Transformation Office - Leveraging OnePlan’s AI a...
Revolutionizing the Digital Transformation Office - Leveraging OnePlan’s AI a...OnePlan Solutions
 
Patterns for automating API delivery. API conference
Patterns for automating API delivery. API conferencePatterns for automating API delivery. API conference
Patterns for automating API delivery. API conferencessuser9e7c64
 
Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...
Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...
Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...Angel Borroy López
 
VictoriaMetrics Q1 Meet Up '24 - Community & News Update
VictoriaMetrics Q1 Meet Up '24 - Community & News UpdateVictoriaMetrics Q1 Meet Up '24 - Community & News Update
VictoriaMetrics Q1 Meet Up '24 - Community & News UpdateVictoriaMetrics
 
Keeping your build tool updated in a multi repository world
Keeping your build tool updated in a multi repository worldKeeping your build tool updated in a multi repository world
Keeping your build tool updated in a multi repository worldRoberto Pérez Alcolea
 
Salesforce Implementation Services PPT By ABSYZ
Salesforce Implementation Services PPT By ABSYZSalesforce Implementation Services PPT By ABSYZ
Salesforce Implementation Services PPT By ABSYZABSYZ Inc
 
Global Identity Enrolment and Verification Pro Solution - Cizo Technology Ser...
Global Identity Enrolment and Verification Pro Solution - Cizo Technology Ser...Global Identity Enrolment and Verification Pro Solution - Cizo Technology Ser...
Global Identity Enrolment and Verification Pro Solution - Cizo Technology Ser...Cizo Technology Services
 
SAM Training Session - How to use EXCEL ?
SAM Training Session - How to use EXCEL ?SAM Training Session - How to use EXCEL ?
SAM Training Session - How to use EXCEL ?Alexandre Beguel
 
What’s New in VictoriaMetrics: Q1 2024 Updates
What’s New in VictoriaMetrics: Q1 2024 UpdatesWhat’s New in VictoriaMetrics: Q1 2024 Updates
What’s New in VictoriaMetrics: Q1 2024 UpdatesVictoriaMetrics
 
Simplifying Microservices & Apps - The art of effortless development - Meetup...
Simplifying Microservices & Apps - The art of effortless development - Meetup...Simplifying Microservices & Apps - The art of effortless development - Meetup...
Simplifying Microservices & Apps - The art of effortless development - Meetup...Rob Geurden
 
Real-time Tracking and Monitoring with Cargo Cloud Solutions.pptx
Real-time Tracking and Monitoring with Cargo Cloud Solutions.pptxReal-time Tracking and Monitoring with Cargo Cloud Solutions.pptx
Real-time Tracking and Monitoring with Cargo Cloud Solutions.pptxRTS corp
 

Último (20)

Effectively Troubleshoot 9 Types of OutOfMemoryError
Effectively Troubleshoot 9 Types of OutOfMemoryErrorEffectively Troubleshoot 9 Types of OutOfMemoryError
Effectively Troubleshoot 9 Types of OutOfMemoryError
 
Precise and Complete Requirements? An Elusive Goal
Precise and Complete Requirements? An Elusive GoalPrecise and Complete Requirements? An Elusive Goal
Precise and Complete Requirements? An Elusive Goal
 
Best Angular 17 Classroom & Online training - Naresh IT
Best Angular 17 Classroom & Online training - Naresh ITBest Angular 17 Classroom & Online training - Naresh IT
Best Angular 17 Classroom & Online training - Naresh IT
 
2024 DevNexus Patterns for Resiliency: Shuffle shards
2024 DevNexus Patterns for Resiliency: Shuffle shards2024 DevNexus Patterns for Resiliency: Shuffle shards
2024 DevNexus Patterns for Resiliency: Shuffle shards
 
Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...
Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...
Tech Tuesday - Mastering Time Management Unlock the Power of OnePlan's Timesh...
 
Strategies for using alternative queries to mitigate zero results
Strategies for using alternative queries to mitigate zero resultsStrategies for using alternative queries to mitigate zero results
Strategies for using alternative queries to mitigate zero results
 
Machine Learning Software Engineering Patterns and Their Engineering
Machine Learning Software Engineering Patterns and Their EngineeringMachine Learning Software Engineering Patterns and Their Engineering
Machine Learning Software Engineering Patterns and Their Engineering
 
OpenChain Education Work Group Monthly Meeting - 2024-04-10 - Full Recording
OpenChain Education Work Group Monthly Meeting - 2024-04-10 - Full RecordingOpenChain Education Work Group Monthly Meeting - 2024-04-10 - Full Recording
OpenChain Education Work Group Monthly Meeting - 2024-04-10 - Full Recording
 
A healthy diet for your Java application Devoxx France.pdf
A healthy diet for your Java application Devoxx France.pdfA healthy diet for your Java application Devoxx France.pdf
A healthy diet for your Java application Devoxx France.pdf
 
Revolutionizing the Digital Transformation Office - Leveraging OnePlan’s AI a...
Revolutionizing the Digital Transformation Office - Leveraging OnePlan’s AI a...Revolutionizing the Digital Transformation Office - Leveraging OnePlan’s AI a...
Revolutionizing the Digital Transformation Office - Leveraging OnePlan’s AI a...
 
Patterns for automating API delivery. API conference
Patterns for automating API delivery. API conferencePatterns for automating API delivery. API conference
Patterns for automating API delivery. API conference
 
Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...
Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...
Alfresco TTL#157 - Troubleshooting Made Easy: Deciphering Alfresco mTLS Confi...
 
VictoriaMetrics Q1 Meet Up '24 - Community & News Update
VictoriaMetrics Q1 Meet Up '24 - Community & News UpdateVictoriaMetrics Q1 Meet Up '24 - Community & News Update
VictoriaMetrics Q1 Meet Up '24 - Community & News Update
 
Keeping your build tool updated in a multi repository world
Keeping your build tool updated in a multi repository worldKeeping your build tool updated in a multi repository world
Keeping your build tool updated in a multi repository world
 
Salesforce Implementation Services PPT By ABSYZ
Salesforce Implementation Services PPT By ABSYZSalesforce Implementation Services PPT By ABSYZ
Salesforce Implementation Services PPT By ABSYZ
 
Global Identity Enrolment and Verification Pro Solution - Cizo Technology Ser...
Global Identity Enrolment and Verification Pro Solution - Cizo Technology Ser...Global Identity Enrolment and Verification Pro Solution - Cizo Technology Ser...
Global Identity Enrolment and Verification Pro Solution - Cizo Technology Ser...
 
SAM Training Session - How to use EXCEL ?
SAM Training Session - How to use EXCEL ?SAM Training Session - How to use EXCEL ?
SAM Training Session - How to use EXCEL ?
 
What’s New in VictoriaMetrics: Q1 2024 Updates
What’s New in VictoriaMetrics: Q1 2024 UpdatesWhat’s New in VictoriaMetrics: Q1 2024 Updates
What’s New in VictoriaMetrics: Q1 2024 Updates
 
Simplifying Microservices & Apps - The art of effortless development - Meetup...
Simplifying Microservices & Apps - The art of effortless development - Meetup...Simplifying Microservices & Apps - The art of effortless development - Meetup...
Simplifying Microservices & Apps - The art of effortless development - Meetup...
 
Real-time Tracking and Monitoring with Cargo Cloud Solutions.pptx
Real-time Tracking and Monitoring with Cargo Cloud Solutions.pptxReal-time Tracking and Monitoring with Cargo Cloud Solutions.pptx
Real-time Tracking and Monitoring with Cargo Cloud Solutions.pptx
 

Java 8 Feature Preview

  • 1. Java 8 Feature Preview Mostly about Lambdas
  • 2. New Feature Overview • Roughly 50 new features • Worth mentioning – Concurrency updates (possible STM support) – JDBC 4.2 – leverage new data types via generic getter / setter methods (e.g. JSR 310 datatypes) – Launch JavaFX apps directly – http://openjdk.java.net/projects/jdk8/features has full details
  • 4. Download JDK 8 • Lambda Support http://jdk8.java.net/lambda • No Lambda Support http://jdk8.java.net/download.html
  • 5. IDE Support • Netbeans • IntelliJ • Eclipse is on the way (own compiler)
  • 7. Before Compact Profiles (from Leader Summit –see http://www.hjug.org/present/iouc2013/2013-Java-Leaders-Summit-JavaSE.pdf)
  • 8. Compact Profiles(from Leader Summit –see http://www.hjug.org/present/iouc2013/2013-Java-Leaders-Summit-JavaSE.pdf)
  • 9. Nashorn • Replacement for Rhino JavaScript Engine • Collaboration between Oracle, IBM, and RedHat • Makes extensive use of invokedynamic • 20x faster than Rhino • Much smaller - can run on embedded devices • Open Sourced • Project Page: http://openjdk.java.net/projects/nashorn/
  • 10. Metaspace • Bye bye PermGen • Holds class metadata • Introduced for convergence with JRockit • MetaSpace OoMEs can happen (when capped) • Initial size limited by amt of native memory • May want to update tuning flags
  • 11. JSR 310 – java.time • All the Java Time classes are immutable and thread-safe. • Based on the ISO 8601 calendar system, the de facto world calendar following the proleptic Gregorian Rules. • Support for other calendar systems provided in java.time.calendar and java.time.temporal packages. • Besides classes for dates and times, the API also has classes for clocks, periods and durations, and enums for month and day-of-week.
  • 13. Lambdas • A lambda expression is like a method: it provides a list of formal parameters and a body—an expression or block—expressed in terms of those parameters. • Expressions: s -> s.length() (int x, int y) -> x+y () -> 42
  • 14. Lambdas • Blocks: (x, y, z) -> { if (true) return x; else { int result = y; for (int i = 1; i < z; i++) result *= i; return result; } }
  • 15. Typical Use Cases • Anonymous classes (GUI listeners) • Runnables / Callables • Comparator • Apply operation to a collection via foreach method
  • 16. SAM Type / Functional Interface • Single Abstract Method • A functional interface is an interface that has just one abstract method, and thus represents a single function contract. (Can have other methods with bodies) • Abstract classes may be considered in the future • The @FunctionalInterface annotation helps ensure the Functional Interface contract is honored • What happens when you have more than one abstract method & use @FunctionalInterface?
  • 17.
  • 18. Effectively Final • For both lambda bodies and inner classes, local variables in the enclosing context can only be referenced if they are final or effectively final. • A variable is effectively final if its value is not reassigned after its initialization. • No longer need to litter code with final keyword
  • 19.
  • 20. Convert Anonymous Class to Lambdafrom http://learnjavafx.typepad.com/weblog/2013/02/mary-had-a-little-%CE%BB.html // Anonymous inner class for event handling .onAction(new EventHandler<ActionEvent>() { @Override public void handle(ActionEvent e) { anim.playFromStart(); } })
  • 21. Convert Anonymous Class to Lambda .onAction((ActionEvent) -> { anim.playFromStart(); } }) • The lambda type is inferred by the compiler as EventHandler<ActionEvent> because the onAction() method takes an object of type EventHandler<ActionEvent>.
  • 22. Convert Anonymous Class to Lambda .onAction((e) -> { anim.playFromStart(); }) • The parameter in this lambda expression must be an ActionEvent, because that is the type specified by the handle() method of the EventHandler interface.
  • 23. Convert Anonymous Class to Lambda .onAction(e -> { anim.playFromStart(); } ) • When a lambda expression has a single parameter and its type is inferred, the parentheses are not required
  • 24. Convert Anonymous Class to Lambda .onAction(e -> anim.playFromStart()) • Because the block of code in our lambda expression contains only one statement, we can simplify it even further
  • 25.
  • 26. forEach • forEach method available on Iterator & Map interfaces and their implementations • Allows for internal control of iteration of elements for possible parallel operation List<String> names = Arrays.asList("Alice", "Bob", "Charlie"); names.forEach(e -> { System.out.println(e); });
  • 27. java.util.stream Classes to support functional-style operations on streams of values • Stream<T> - A sequence of elements supporting sequential and parallel bulk ops • Stream opened by calling – Collection.stream() – Collection.parallelStream() List<String> names = Arrays.asList("Bob", "Alice", "Charlie"); out(names.stream().filter(e -> e.length() > 4 ) .findFirst().get()); Returns “Alice”
  • 28. java.util.stream • All other interfaces in stream package accessible through Stream interface • Collector<T,R> - A (possibly parallel) reduction operation that folds input elements into a mutable result container. • FlatMapper<T,U> - An operation that maps an element of type T to zero or more elements of type U.
  • 29. java.util.function Functional interfaces provide target types for lambda expressions and method references. • Consumer<T> - Action to be performed on an object. • Function<T,R> - transform a T to an R. • Supplier<T> - A supplier of objects (e.g. factory). • Predicate<T> - Determines if the input object matches some criteria. • Unary/BinaryOperator<T> - An operation upon a single / two operand(s) yielding a result. • Bi(Consumer/Function/Predicate)<T,U(,R)> - Accepts two input arguments, yields result if specified
  • 30. java.util • Spliterator<T> - A provider of element traversal operations for a possibly-parallel computation. • Optional<T> - A container object which may or may not contain a non-null value – Returned by Stream’s aggregate methods find*(), reduce(), min(), max() – Call get() to get the value it’s holding
  • 31. Method & Constructor References • A method reference is used to refer to a (static or instance) method without invoking it • A constructor reference is similarly used to refer to a constructor without creating a new instance of the named class or array type. • Specified with the :: (double colon) operator
  • 32. Method & Constructor References • Provide a way to refer to a method / constructor without invoking it • Examples: System::getProperty "abc"::length String::length super::toString ArrayList::new int[]::new
  • 33.
  • 34. Convert call to Method Reference public class Test { static void foo(){} static { new Runnable() { @Override public void run() { Test.foo(); } }.run(); } }
  • 35. Convert call to Method Reference public class Test { static void foo(){} static { ((Runnable) () -> Test.foo()).run(); } }
  • 36. Convert call to Method Reference public class Test { static void foo(){} static { ((Runnable) Test::foo()).run(); } }
  • 37. Use a Method Reference This bttnExit.setOnAction( (actionEvent) -> { try { stop(); } catch (Exception e) { // TODO: add error handling } }); Can be bttnExit.setOnAction(this::onExit ButtonClick); ... void onExitButtonClick() { try { stop(); } catch (Exception e) { // TODO: add error handling } }
  • 38. Use a Constructor Reference interface Factory<T> { T make(); } Factory<List<String>> f1 = ArrayList::<String>new; • Every time make() is invoked, it will return a new ArrayList<String>
  • 39. How many times have you heard
  • 40.
  • 41. Whatever! • Method assigned to privileged interface: public class Main { public static class NotAutoCloseable { public void close() throws Exception { System.out.println("CLOSE"); } } public static void main(String... args) throws Exception { NotAutoCloseable nac = new NotAutoCloseable(); try (AutoCloseable ac = nac::close) { } } }
  • 42. Interface Defender Methods • Interface methods with bodies • default keyword • More graceful API evolution • Interfaces have no state • Static methods not inherited • Can reference abstract method • Called “Extended Interfaces” if no abstract methods present
  • 43.
  • 44. Super! • Extended Interfaces can extend other extended interfaces • Methods can be overridden • Can decorate parent definitions via super interface I1 { default void method1() {//do stuff}} interface I2 extends I1{ void default method1() { super.method1(); //do new stuff } }
  • 45.
  • 46. Specify the Parent Interface interface D1 { default void meth1() {//do stuff}} interface D2 extends D1{ void default meth1() { super.method1(); //do new stuff}} interface D3 extends D1{ void default meth1() { super.method1(); //do new stuff}} interface D4 extends D2, D3{ void default meth1() { D2.super.method1(); //do new stuff}}
  • 47. Design Patterns • Decorator (via super) • Template Method • Factory Method • Others?
  • 48. New Java 8 Feature Overview • http://openjdk.java.net/projects/jdk8/features • http://java.dzone.com/articles/java-%E2%80%93-far-sight-look-jdk-8 Java 8 Maven Support • http://illegalargumentexception.blogspot.com/2012/08/java-lambda- support-in-java-8.html DateTime API • http://www.infoq.com/news/2013/02/java-time-api-jdk-8 • http://java.dzone.com/articles/introducing-new-date-and-time • http://geekmonkey.org/articles/24-a-new-date-and-time-api-for-jdk-8 Metaspace • http://java.dzone.com/articles/java-8-permgen-metaspace Nashorn • http://www.infoq.com/news/2012/11/Nashorn-proposal
  • 49. Lambda JSR • http://jcp.org/en/jsr/detail?id=335 Java 8 Preview JDK • http://jdk8.java.net/lambda/ - lambda support • http://jdk8.java.net/download.html - no lambda support Articles on Lambdas • http://www.oraclejavamagazine-digital.com/javamagazine/20121112?pg=35#pg35 • http://www.angelikalanger.com/Conferences/Slides/jf12_LambdasInJava8-1.pdf • http://datumedge.blogspot.com/2012/06/java-8-lambdas.html • http://www.infoq.com/articles/java-8-vs-scala Presentations on Lambdas: • http://www.slideshare.net/ramonypp/java-8-project-lambda • http://www.slideshare.net/garthbrown/lambda-functions-in-java-8 • http://www.angelikalanger.com/Conferences/Slides/jf12_LambdasInJava8-1.pdf Lambda implementation mechanics: • http://cr.openjdk.java.net/~briangoetz/lambda/lambda-translation.html
  • 50. Typical lambda use cases: • http://learnjavafx.typepad.com/weblog/2013/02/mary-had-a-little-%CE%BB.html • http://blueskyworkshop.com/topics/Java-Pages/lambda-expression-basics/ • http://java.dzone.com/articles/devoxx-2012-java-8-lambda-and Defender method paper: • http://cr.openjdk.java.net/~briangoetz/lambda/Defender%20Methods%20v4.pdf Method references (:: operator) • http://earthly-powers.blogspot.com/2012/07/java-8-lambda-and-method-references.html • http://doanduyhai.wordpress.com/2012/07/14/java-8-lambda-in-details-part-iii-method-and-constructor- referencing/ • http://www.beyondjava.net/blog/are-java-8-method-references-going-to-be-more-important-than-lambdas/ • http://www.lambdafaq.org/what-are-constructor-references/ Stream API: • http://cr.openjdk.java.net/~briangoetz/lambda/sotc3.html • http://aruld.info/java-8-this-aint-your-grandpas-java/ • http://java.dzone.com/articles/exciting-ideas-java-8-streams Sophisticated Lambda use case allowing for avoiding NPEs using Monads: • http://java.dzone.com/articles/no-more-excuses-use-null Functional programming in Java • http://code.google.com/p/functionaljava/ • http://shop.oreilly.com/product/0636920021667.do • http://apocalisp.wordpress.com/2008/06/18/parallel-strategies-and-the-callable-monad/