SlideShare una empresa de Scribd logo
1 de 24
Descargar para leer sin conexión
Completable Future
Srinivasan Raghavan
Senior Member of Technical Staff
Java Platform Group
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
Program Agenda
java.util.Future Introduction
Cloud Services Design and the fight for Performance
CompletableFuture and power of parallelism
Building powerful libraries with Completable Future
1
2
3
4
4
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
java.util.Future Introduction
• Before jdk1.5 , no java.util.concurrent.*, only threads ,synchronized primitives
• W ite o e , u a ywhe e ? – g eat su ess , But u it a illio ti es , wo k the sa e ? ig uestio
• In came java.util.concurrent.* with executor service and future tasks and many other concurrency constructs
• A java.util.Future is a construct which holds a result available at a later time
• Future is asynchronous , but its not non-blocking
5
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
The Executor Service and Future Task
• Executors contains pool of threads which accepts tasks and supplies to the Future
• When a task is submitted to the executor it returns a future and future.get() would block the computation until it
ends
6
ExecutorService executorService =
Executors.newFixedThreadPool(20);
Future<Integer> future =
executorService.submit(new Callable<Integer>()
{
@Override
public Integer call() throws Exception {
return 42;
}
});
System.out.println(future.get());
executorService.shutdown();
User Executor
Task (Callable)
Future
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
What can be done ?
• Future can allow computation in the background so improving performance
• Future.get() would block the thread and wait till the computation is complete
and get the result
• Can get an exception if there is a failure
• future.cancel() cancels the computation
• future.isDone() checks the computation is complete
• A d that’s it /////
7
ExecutorService executorService =
Executors.newFixedThreadPool(20);
Future<Integer> future =
executorService.submit(new Callable<Integer>()
{
@Override
public Integer call() throws Exception {
//Some complex work
return 42;
}
});
System.out.println(future.get());
executorService.shutdown();
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
Distributed Cloud Services Design and the
fight for Performance
8
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
A Typical distributed cloud service
9
Get data from service
provider 1
Get data from service
provider 3
Get data from service
provider 2
Combine Data
Response(result)
Request(userData,reuestParams)
Processing for analytics Process data for the
user
Generate
recommendation
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
Performance Bottlenecks and impacts
• Java.util.Future can help in parallelism
• But it cannot help with pipeline the tasks and managing the thread pool for you
• Future does not supports call backs and chaining of operations
• Building libraries with future can be complictaed
• Performing in a serial way can impact the latency big time
• It can destroy all benefits of having distributed services
• No amount of horizontal and vertical scaling can help
• Without dynamic services offerings business can be affected
10
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
CompletableFuture and power of parallelism
11
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
What is Completable future ?
• Its new addition to java 8
• Asynchronous, allows registering asyc callbacks just like java scripts, event-driven programming model
• Support for depending functions to be triggered on completion
• Each stage can be executed with different executor pool
• Also comes with a built in thread pool for executing tasks
• Built in lambda support ,super flexible and scalable api
12
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
Basics
13
CompletableFuture<String> future =
CompletableFuture.supplyAsync(new Supplier<String>()
{
@Override
public String get() {
// ...long running...
return "42";
}
}, executor1);
future.get();
//Come on ... we are in JDK 8 !!!
CompletableFuture<String> future =
CompletableFuture
.supplyAsync(() -> "42",executor1);
future.get();
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
Lambdas , Crash Recap
14
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
Lambdas
• Function definition that is not bound to an identifier
15
/**
*
* This is a piece of code that illustrate how lambdas work in
Java 8
*
* Given an example
*
* f(x) = 2x+5;
*
* given x= 2 ; f(x) = 9 ;
*
* z(x)= f(g(x)) where g(x) =3x+5
*
* z(x) = 2(3x+5) +5 = 6x+15 12+15 = 27
* *
*/
public class LambdaUnderStanding2 {
@FunctionalInterface
static interface Funct {
int apply(int x);
default Funct compose(Funct before) {
return (x) -> apply(before.apply(x));
}
}
public static void main(String[] args) {
Funct annoymous = new Funct() {
@Override
public int apply(int x) {
return 2 * x + 5;;
}
};
Funct funct = (x) -> 2 * x + 5;
System.out.println(funct.apply(2));
Funct composed = funct.compose((x) -> 3 * x + 5);
System.out.println(composed.apply(2));
}
}
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
Java 8 Functional Interface
16
Predicate<Integer> test = (x) -> x> 10;
Function<Integer, Integer> function = (x) -> 3 * x + 5;
Consumer<Integer> print = (x) -> System.out.println(x);
BiFunction<Integer, Integer, Integer> biFunction = (x, y) -> 3 * x + 4* y + 2;
Supplier<Integer> supplier = () -> Integer.MAX_VALUE;
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
thenApply() -transformations
17
/**
* Classic call back present in javascript or scala .
* theApply is like run this function when the result
*arrives from previous stages
*/
final CompletableFuture<Integer> future1 =
CompletableFuture
.supplyAsync(() -> "42", executor1).thenApply(
(x) -> Integer.parseInt(x));
/**
* thenApply is trasformative changing
CompletableFuture<Integer> to
* CompletableFuture<Double>
*/
CompletableFuture<Double> future2 = CompletableFuture
.supplyAsync(() -> "42", executor1)
.thenApply((x) -> Integer.parseInt(x))
.thenApply(r -> r * r * Math.PI);
/**
* U can supply a differnt executor pool for
thenApply
*/
CompletableFuture<Double> future = CompletableFuture
.supplyAsync(() -> "42", executor1)
.thenApplyAsync((x) -> Integer.parseInt(x),
executor2)
.thenApplyAsync(r -> r * r * Math.PI, executor2);
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
thenCombine() , whenComplete() –completion
18
final CompletableFuture<Integer> future = CompletableFuture
.supplyAsync(() -> "32", executor1).thenApply(
(x) -> Integer.parseInt(x));
CompletableFuture.supplyAsync(() -> "42", executor2)
.thenApply((x) -> Integer.parseInt(x))
.thenCombine(future, (x, y) -> x + y)
.thenAccept((result) -> System.out.println(result));
/**
* When complete is final stage where it can check
the execpetions
* propagated and pass results through it
*/
final CompletableFuture<Integer> future =
CompletableFuture
.supplyAsync(() -> "42", executor1)
.thenApply((x) -> Integer.parseInt(x))
.whenComplete(
(x, throwable) -> {
if (throwable != null) {
Logger.getAnonymousLogger().log(Level.SEVERE,
"Logging" + throwable);
} else {
Logger.getAnonymousLogger().log(Level.FINE,
" Passed " + x);
}
});
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
thenCombine() allOf() - combining futures
19
/**
* Combining two dependent futures
*/
final CompletableFuture<Integer> future =
CompletableFuture
.supplyAsync(() -> "32", executor1).thenApply(
(x) -> Integer.parseInt(x));
CompletableFuture.supplyAsync(() -> "42", executor2)
.thenApply((x) -> Integer.parseInt(x))
.thenCombine(future, (x, y) -> x + y)
.thenAccept((result) -> System.out.println(result));
/**
* Combining n futures unrelated
*/
CompletableFuture<Void> future2 = CompletableFuture
.supplyAsync(() -> "42", executor1)
.thenApplyAsync((x) -> Integer.parseInt(x),
executor2)
.thenAcceptAsync(
(x) -> Logger.getAnonymousLogger().log(Level.FINE,
"Logging" + x), executor2);
CompletableFuture<Void> future1 = CompletableFuture
.supplyAsync(() -> “ ", executor1)
.thenApplyAsync((x) -> Integer.parseInt(x),
executor2)
.thenAcceptAsync(
(x) -> Logger.getAnonymousLogger().log(Level.FINE,
"Logging" + x), executor2);
CompletableFuture.allOf(future1,future2).join();
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
Building powerful libraries with Completable
Future
20
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
Building powerful libraries with completable futures
• Building scalable service orchestrator
• Building dynamic http client framework
• Improve parallelism in existing services with are done serial
• Building libraries tuned for vertical scalability
21
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
References
• https://docs.oracle.com/javase/tutorial/
• https://docs.oracle.com/javase/8/docs/api/java/util/concurrent/Completa
bleFuture.html
• http://cs.oswego.edu/mailman/listinfo/concurrency-interest
• https://github.com/srinivasanraghavan/functional
22
Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
Questions ?
23
Completable future

Más contenido relacionado

La actualidad más candente

Java Thread Synchronization
Java Thread SynchronizationJava Thread Synchronization
Java Thread Synchronization
Benj Del Mundo
 

La actualidad más candente (20)

Spring Boot and REST API
Spring Boot and REST APISpring Boot and REST API
Spring Boot and REST API
 
The New JavaScript: ES6
The New JavaScript: ES6The New JavaScript: ES6
The New JavaScript: ES6
 
Spring boot Introduction
Spring boot IntroductionSpring boot Introduction
Spring boot Introduction
 
Introduction to Java 11
Introduction to Java 11 Introduction to Java 11
Introduction to Java 11
 
Java 8 features
Java 8 featuresJava 8 features
Java 8 features
 
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
 
Java Thread Synchronization
Java Thread SynchronizationJava Thread Synchronization
Java Thread Synchronization
 
Spring boot introduction
Spring boot introductionSpring boot introduction
Spring boot introduction
 
Java 8 streams
Java 8 streamsJava 8 streams
Java 8 streams
 
REST APIs with Spring
REST APIs with SpringREST APIs with Spring
REST APIs with Spring
 
Deep Dive Java 17 Devoxx UK
Deep Dive Java 17 Devoxx UKDeep Dive Java 17 Devoxx UK
Deep Dive Java 17 Devoxx UK
 
Java Lambda Expressions.pptx
Java Lambda Expressions.pptxJava Lambda Expressions.pptx
Java Lambda Expressions.pptx
 
Intro to Asynchronous Javascript
Intro to Asynchronous JavascriptIntro to Asynchronous Javascript
Intro to Asynchronous Javascript
 
JavaScript Promises
JavaScript PromisesJavaScript Promises
JavaScript Promises
 
ES6 presentation
ES6 presentationES6 presentation
ES6 presentation
 
Java 8 Lambda Expressions
Java 8 Lambda ExpressionsJava 8 Lambda Expressions
Java 8 Lambda Expressions
 
Java And Multithreading
Java And MultithreadingJava And Multithreading
Java And Multithreading
 
Java GC
Java GCJava GC
Java GC
 
Collection Framework in java
Collection Framework in javaCollection Framework in java
Collection Framework in java
 
Spring Framework - AOP
Spring Framework - AOPSpring Framework - AOP
Spring Framework - AOP
 

Destacado

CompletableFuture
CompletableFutureCompletableFuture
CompletableFuture
koji lin
 

Destacado (6)

Asynchronous API in Java8, how to use CompletableFuture
Asynchronous API in Java8, how to use CompletableFutureAsynchronous API in Java8, how to use CompletableFuture
Asynchronous API in Java8, how to use CompletableFuture
 
The Future of Futures - A Talk About Java 8 CompletableFutures
The Future of Futures - A Talk About Java 8 CompletableFuturesThe Future of Futures - A Talk About Java 8 CompletableFutures
The Future of Futures - A Talk About Java 8 CompletableFutures
 
CompletableFuture
CompletableFutureCompletableFuture
CompletableFuture
 
10 Sets of Best Practices for Java 8
10 Sets of Best Practices for Java 810 Sets of Best Practices for Java 8
10 Sets of Best Practices for Java 8
 
Step-by-Step Introduction to Apache Flink
Step-by-Step Introduction to Apache Flink Step-by-Step Introduction to Apache Flink
Step-by-Step Introduction to Apache Flink
 
Why apache Flink is the 4G of Big Data Analytics Frameworks
Why apache Flink is the 4G of Big Data Analytics FrameworksWhy apache Flink is the 4G of Big Data Analytics Frameworks
Why apache Flink is the 4G of Big Data Analytics Frameworks
 

Similar a Completable future

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
JAXLondon2014
 

Similar a Completable future (20)

Functional Programming With Lambdas and Streams in JDK8
 Functional Programming With Lambdas and Streams in JDK8 Functional Programming With Lambdas and Streams in JDK8
Functional Programming With Lambdas and Streams in JDK8
 
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
 
What's New in Java 8
What's New in Java 8What's New in Java 8
What's New in Java 8
 
JSR 236 Concurrency Utils for EE presentation for JavaOne 2013 (CON7948)
JSR 236 Concurrency Utils for EE presentation for JavaOne 2013 (CON7948)JSR 236 Concurrency Utils for EE presentation for JavaOne 2013 (CON7948)
JSR 236 Concurrency Utils for EE presentation for JavaOne 2013 (CON7948)
 
Lambdas : Beyond The Basics
Lambdas : Beyond The BasicsLambdas : Beyond The Basics
Lambdas : Beyond The Basics
 
"Quantum" Performance Effects
"Quantum" Performance Effects"Quantum" Performance Effects
"Quantum" Performance Effects
 
Jakarta Concurrency: Present and Future
Jakarta Concurrency: Present and FutureJakarta Concurrency: Present and Future
Jakarta Concurrency: Present and Future
 
Proxy deep-dive java-one_20151027_001
Proxy deep-dive java-one_20151027_001Proxy deep-dive java-one_20151027_001
Proxy deep-dive java-one_20151027_001
 
GlassFish BOF
GlassFish BOFGlassFish BOF
GlassFish BOF
 
Cloud Native Serverless Java — Orkhan Gasimov
Cloud Native Serverless Java — Orkhan GasimovCloud Native Serverless Java — Orkhan Gasimov
Cloud Native Serverless Java — Orkhan Gasimov
 
JavaOne San Francisco 2013 - Servlet 3.1 (JSR 340)
JavaOne San Francisco 2013 - Servlet 3.1 (JSR 340)JavaOne San Francisco 2013 - Servlet 3.1 (JSR 340)
JavaOne San Francisco 2013 - Servlet 3.1 (JSR 340)
 
Interactive Java Support to your tool -- The JShell API and Architecture
Interactive Java Support to your tool -- The JShell API and ArchitectureInteractive Java Support to your tool -- The JShell API and Architecture
Interactive Java Support to your tool -- The JShell API and Architecture
 
2015 Java update and roadmap, JUG sevilla
2015  Java update and roadmap, JUG sevilla2015  Java update and roadmap, JUG sevilla
2015 Java update and roadmap, JUG sevilla
 
Java ee7 1hour
Java ee7 1hourJava ee7 1hour
Java ee7 1hour
 
Batch Applications for the Java Platform
Batch Applications for the Java PlatformBatch Applications for the Java Platform
Batch Applications for the Java Platform
 
OTN Tour 2013: What's new in java EE 7
OTN Tour 2013: What's new in java EE 7OTN Tour 2013: What's new in java EE 7
OTN Tour 2013: What's new in java EE 7
 
Design Patterns - Part 1 of 2
Design Patterns - Part 1 of 2Design Patterns - Part 1 of 2
Design Patterns - Part 1 of 2
 
MySQL Proxy. A powerful, flexible MySQL toolbox.
MySQL Proxy. A powerful, flexible MySQL toolbox.MySQL Proxy. A powerful, flexible MySQL toolbox.
MySQL Proxy. A powerful, flexible MySQL toolbox.
 
Java Cloud and Container Ready
Java Cloud and Container ReadyJava Cloud and Container Ready
Java Cloud and Container Ready
 

Último

Abortion Pills In Pretoria ](+27832195400*)[ 🏥 Women's Abortion Clinic In Pre...
Abortion Pills In Pretoria ](+27832195400*)[ 🏥 Women's Abortion Clinic In Pre...Abortion Pills In Pretoria ](+27832195400*)[ 🏥 Women's Abortion Clinic In Pre...
Abortion Pills In Pretoria ](+27832195400*)[ 🏥 Women's Abortion Clinic In Pre...
Medical / Health Care (+971588192166) Mifepristone and Misoprostol tablets 200mg
 
%+27788225528 love spells in Colorado Springs Psychic Readings, Attraction sp...
%+27788225528 love spells in Colorado Springs Psychic Readings, Attraction sp...%+27788225528 love spells in Colorado Springs Psychic Readings, Attraction sp...
%+27788225528 love spells in Colorado Springs Psychic Readings, Attraction sp...
masabamasaba
 

Último (20)

%in Stilfontein+277-882-255-28 abortion pills for sale in Stilfontein
%in Stilfontein+277-882-255-28 abortion pills for sale in Stilfontein%in Stilfontein+277-882-255-28 abortion pills for sale in Stilfontein
%in Stilfontein+277-882-255-28 abortion pills for sale in Stilfontein
 
Devoxx UK 2024 - Going serverless with Quarkus, GraalVM native images and AWS...
Devoxx UK 2024 - Going serverless with Quarkus, GraalVM native images and AWS...Devoxx UK 2024 - Going serverless with Quarkus, GraalVM native images and AWS...
Devoxx UK 2024 - Going serverless with Quarkus, GraalVM native images and AWS...
 
What Goes Wrong with Language Definitions and How to Improve the Situation
What Goes Wrong with Language Definitions and How to Improve the SituationWhat Goes Wrong with Language Definitions and How to Improve the Situation
What Goes Wrong with Language Definitions and How to Improve the Situation
 
WSO2Con2024 - From Blueprint to Brilliance: WSO2's Guide to API-First Enginee...
WSO2Con2024 - From Blueprint to Brilliance: WSO2's Guide to API-First Enginee...WSO2Con2024 - From Blueprint to Brilliance: WSO2's Guide to API-First Enginee...
WSO2Con2024 - From Blueprint to Brilliance: WSO2's Guide to API-First Enginee...
 
OpenChain - The Ramifications of ISO/IEC 5230 and ISO/IEC 18974 for Legal Pro...
OpenChain - The Ramifications of ISO/IEC 5230 and ISO/IEC 18974 for Legal Pro...OpenChain - The Ramifications of ISO/IEC 5230 and ISO/IEC 18974 for Legal Pro...
OpenChain - The Ramifications of ISO/IEC 5230 and ISO/IEC 18974 for Legal Pro...
 
%in Soweto+277-882-255-28 abortion pills for sale in soweto
%in Soweto+277-882-255-28 abortion pills for sale in soweto%in Soweto+277-882-255-28 abortion pills for sale in soweto
%in Soweto+277-882-255-28 abortion pills for sale in soweto
 
Abortion Pills In Pretoria ](+27832195400*)[ 🏥 Women's Abortion Clinic In Pre...
Abortion Pills In Pretoria ](+27832195400*)[ 🏥 Women's Abortion Clinic In Pre...Abortion Pills In Pretoria ](+27832195400*)[ 🏥 Women's Abortion Clinic In Pre...
Abortion Pills In Pretoria ](+27832195400*)[ 🏥 Women's Abortion Clinic In Pre...
 
WSO2CON 2024 - Freedom First—Unleashing Developer Potential with Open Source
WSO2CON 2024 - Freedom First—Unleashing Developer Potential with Open SourceWSO2CON 2024 - Freedom First—Unleashing Developer Potential with Open Source
WSO2CON 2024 - Freedom First—Unleashing Developer Potential with Open Source
 
WSO2CON 2024 Slides - Open Source to SaaS
WSO2CON 2024 Slides - Open Source to SaaSWSO2CON 2024 Slides - Open Source to SaaS
WSO2CON 2024 Slides - Open Source to SaaS
 
WSO2CON 2024 - Does Open Source Still Matter?
WSO2CON 2024 - Does Open Source Still Matter?WSO2CON 2024 - Does Open Source Still Matter?
WSO2CON 2024 - Does Open Source Still Matter?
 
%in kempton park+277-882-255-28 abortion pills for sale in kempton park
%in kempton park+277-882-255-28 abortion pills for sale in kempton park %in kempton park+277-882-255-28 abortion pills for sale in kempton park
%in kempton park+277-882-255-28 abortion pills for sale in kempton park
 
%in tembisa+277-882-255-28 abortion pills for sale in tembisa
%in tembisa+277-882-255-28 abortion pills for sale in tembisa%in tembisa+277-882-255-28 abortion pills for sale in tembisa
%in tembisa+277-882-255-28 abortion pills for sale in tembisa
 
%+27788225528 love spells in Colorado Springs Psychic Readings, Attraction sp...
%+27788225528 love spells in Colorado Springs Psychic Readings, Attraction sp...%+27788225528 love spells in Colorado Springs Psychic Readings, Attraction sp...
%+27788225528 love spells in Colorado Springs Psychic Readings, Attraction sp...
 
AI & Machine Learning Presentation Template
AI & Machine Learning Presentation TemplateAI & Machine Learning Presentation Template
AI & Machine Learning Presentation Template
 
Announcing Codolex 2.0 from GDK Software
Announcing Codolex 2.0 from GDK SoftwareAnnouncing Codolex 2.0 from GDK Software
Announcing Codolex 2.0 from GDK Software
 
VTU technical seminar 8Th Sem on Scikit-learn
VTU technical seminar 8Th Sem on Scikit-learnVTU technical seminar 8Th Sem on Scikit-learn
VTU technical seminar 8Th Sem on Scikit-learn
 
WSO2Con204 - Hard Rock Presentation - Keynote
WSO2Con204 - Hard Rock Presentation - KeynoteWSO2Con204 - Hard Rock Presentation - Keynote
WSO2Con204 - Hard Rock Presentation - Keynote
 
WSO2CON 2024 - How to Run a Security Program
WSO2CON 2024 - How to Run a Security ProgramWSO2CON 2024 - How to Run a Security Program
WSO2CON 2024 - How to Run a Security Program
 
%in ivory park+277-882-255-28 abortion pills for sale in ivory park
%in ivory park+277-882-255-28 abortion pills for sale in ivory park %in ivory park+277-882-255-28 abortion pills for sale in ivory park
%in ivory park+277-882-255-28 abortion pills for sale in ivory park
 
%in Rustenburg+277-882-255-28 abortion pills for sale in Rustenburg
%in Rustenburg+277-882-255-28 abortion pills for sale in Rustenburg%in Rustenburg+277-882-255-28 abortion pills for sale in Rustenburg
%in Rustenburg+277-882-255-28 abortion pills for sale in Rustenburg
 

Completable future

  • 1.
  • 2.
  • 3. Completable Future Srinivasan Raghavan Senior Member of Technical Staff Java Platform Group Copyright © 2015, Oracle and/or its affiliates. All rights reserved. |
  • 4. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | Program Agenda java.util.Future Introduction Cloud Services Design and the fight for Performance CompletableFuture and power of parallelism Building powerful libraries with Completable Future 1 2 3 4 4
  • 5. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | java.util.Future Introduction • Before jdk1.5 , no java.util.concurrent.*, only threads ,synchronized primitives • W ite o e , u a ywhe e ? – g eat su ess , But u it a illio ti es , wo k the sa e ? ig uestio • In came java.util.concurrent.* with executor service and future tasks and many other concurrency constructs • A java.util.Future is a construct which holds a result available at a later time • Future is asynchronous , but its not non-blocking 5
  • 6. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | The Executor Service and Future Task • Executors contains pool of threads which accepts tasks and supplies to the Future • When a task is submitted to the executor it returns a future and future.get() would block the computation until it ends 6 ExecutorService executorService = Executors.newFixedThreadPool(20); Future<Integer> future = executorService.submit(new Callable<Integer>() { @Override public Integer call() throws Exception { return 42; } }); System.out.println(future.get()); executorService.shutdown(); User Executor Task (Callable) Future
  • 7. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | What can be done ? • Future can allow computation in the background so improving performance • Future.get() would block the thread and wait till the computation is complete and get the result • Can get an exception if there is a failure • future.cancel() cancels the computation • future.isDone() checks the computation is complete • A d that’s it ///// 7 ExecutorService executorService = Executors.newFixedThreadPool(20); Future<Integer> future = executorService.submit(new Callable<Integer>() { @Override public Integer call() throws Exception { //Some complex work return 42; } }); System.out.println(future.get()); executorService.shutdown();
  • 8. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | Distributed Cloud Services Design and the fight for Performance 8
  • 9. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | A Typical distributed cloud service 9 Get data from service provider 1 Get data from service provider 3 Get data from service provider 2 Combine Data Response(result) Request(userData,reuestParams) Processing for analytics Process data for the user Generate recommendation
  • 10. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | Performance Bottlenecks and impacts • Java.util.Future can help in parallelism • But it cannot help with pipeline the tasks and managing the thread pool for you • Future does not supports call backs and chaining of operations • Building libraries with future can be complictaed • Performing in a serial way can impact the latency big time • It can destroy all benefits of having distributed services • No amount of horizontal and vertical scaling can help • Without dynamic services offerings business can be affected 10
  • 11. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | CompletableFuture and power of parallelism 11
  • 12. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | What is Completable future ? • Its new addition to java 8 • Asynchronous, allows registering asyc callbacks just like java scripts, event-driven programming model • Support for depending functions to be triggered on completion • Each stage can be executed with different executor pool • Also comes with a built in thread pool for executing tasks • Built in lambda support ,super flexible and scalable api 12
  • 13. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | Basics 13 CompletableFuture<String> future = CompletableFuture.supplyAsync(new Supplier<String>() { @Override public String get() { // ...long running... return "42"; } }, executor1); future.get(); //Come on ... we are in JDK 8 !!! CompletableFuture<String> future = CompletableFuture .supplyAsync(() -> "42",executor1); future.get();
  • 14. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | Lambdas , Crash Recap 14
  • 15. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | Lambdas • Function definition that is not bound to an identifier 15 /** * * This is a piece of code that illustrate how lambdas work in Java 8 * * Given an example * * f(x) = 2x+5; * * given x= 2 ; f(x) = 9 ; * * z(x)= f(g(x)) where g(x) =3x+5 * * z(x) = 2(3x+5) +5 = 6x+15 12+15 = 27 * * */ public class LambdaUnderStanding2 { @FunctionalInterface static interface Funct { int apply(int x); default Funct compose(Funct before) { return (x) -> apply(before.apply(x)); } } public static void main(String[] args) { Funct annoymous = new Funct() { @Override public int apply(int x) { return 2 * x + 5;; } }; Funct funct = (x) -> 2 * x + 5; System.out.println(funct.apply(2)); Funct composed = funct.compose((x) -> 3 * x + 5); System.out.println(composed.apply(2)); } }
  • 16. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | Java 8 Functional Interface 16 Predicate<Integer> test = (x) -> x> 10; Function<Integer, Integer> function = (x) -> 3 * x + 5; Consumer<Integer> print = (x) -> System.out.println(x); BiFunction<Integer, Integer, Integer> biFunction = (x, y) -> 3 * x + 4* y + 2; Supplier<Integer> supplier = () -> Integer.MAX_VALUE;
  • 17. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | thenApply() -transformations 17 /** * Classic call back present in javascript or scala . * theApply is like run this function when the result *arrives from previous stages */ final CompletableFuture<Integer> future1 = CompletableFuture .supplyAsync(() -> "42", executor1).thenApply( (x) -> Integer.parseInt(x)); /** * thenApply is trasformative changing CompletableFuture<Integer> to * CompletableFuture<Double> */ CompletableFuture<Double> future2 = CompletableFuture .supplyAsync(() -> "42", executor1) .thenApply((x) -> Integer.parseInt(x)) .thenApply(r -> r * r * Math.PI); /** * U can supply a differnt executor pool for thenApply */ CompletableFuture<Double> future = CompletableFuture .supplyAsync(() -> "42", executor1) .thenApplyAsync((x) -> Integer.parseInt(x), executor2) .thenApplyAsync(r -> r * r * Math.PI, executor2);
  • 18. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | thenCombine() , whenComplete() –completion 18 final CompletableFuture<Integer> future = CompletableFuture .supplyAsync(() -> "32", executor1).thenApply( (x) -> Integer.parseInt(x)); CompletableFuture.supplyAsync(() -> "42", executor2) .thenApply((x) -> Integer.parseInt(x)) .thenCombine(future, (x, y) -> x + y) .thenAccept((result) -> System.out.println(result)); /** * When complete is final stage where it can check the execpetions * propagated and pass results through it */ final CompletableFuture<Integer> future = CompletableFuture .supplyAsync(() -> "42", executor1) .thenApply((x) -> Integer.parseInt(x)) .whenComplete( (x, throwable) -> { if (throwable != null) { Logger.getAnonymousLogger().log(Level.SEVERE, "Logging" + throwable); } else { Logger.getAnonymousLogger().log(Level.FINE, " Passed " + x); } });
  • 19. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | thenCombine() allOf() - combining futures 19 /** * Combining two dependent futures */ final CompletableFuture<Integer> future = CompletableFuture .supplyAsync(() -> "32", executor1).thenApply( (x) -> Integer.parseInt(x)); CompletableFuture.supplyAsync(() -> "42", executor2) .thenApply((x) -> Integer.parseInt(x)) .thenCombine(future, (x, y) -> x + y) .thenAccept((result) -> System.out.println(result)); /** * Combining n futures unrelated */ CompletableFuture<Void> future2 = CompletableFuture .supplyAsync(() -> "42", executor1) .thenApplyAsync((x) -> Integer.parseInt(x), executor2) .thenAcceptAsync( (x) -> Logger.getAnonymousLogger().log(Level.FINE, "Logging" + x), executor2); CompletableFuture<Void> future1 = CompletableFuture .supplyAsync(() -> “ ", executor1) .thenApplyAsync((x) -> Integer.parseInt(x), executor2) .thenAcceptAsync( (x) -> Logger.getAnonymousLogger().log(Level.FINE, "Logging" + x), executor2); CompletableFuture.allOf(future1,future2).join();
  • 20. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | Building powerful libraries with Completable Future 20
  • 21. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | Building powerful libraries with completable futures • Building scalable service orchestrator • Building dynamic http client framework • Improve parallelism in existing services with are done serial • Building libraries tuned for vertical scalability 21
  • 22. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | References • https://docs.oracle.com/javase/tutorial/ • https://docs.oracle.com/javase/8/docs/api/java/util/concurrent/Completa bleFuture.html • http://cs.oswego.edu/mailman/listinfo/concurrency-interest • https://github.com/srinivasanraghavan/functional 22
  • 23. Copyright © 2015, Oracle and/or its affiliates. All rights reserved. | Questions ? 23