SlideShare ist ein Scribd-Unternehmen logo
1 von 44
Downloaden Sie, um offline zu lesen
promhx
Programming Reactive Object Methods in Haxe
A bit about me…
Data Visualization + Data
Science + Machine Learning +
Advanced UI
I “Promhx” to explain…
var p = new Promise<Explanation>();
var s = new Stream<Examples>();
var d = new Deferred<Understanding>();
But first some background…
Asynchronous Programming
• Client code is often single threaded. Excessive time delays due to computation
causes rendering lag, and can block IO.

We often need to break up computation in multiple loops.
• Client code often handles server responses through asynchronous callbacks. 

We need to wait for the server to respond.
• Managing error handling often involves careful use of try-catch in several
locations. It is difficult to ensure all exceptions are caught.

We want a better way of handling generic errors.
• Callbacks generally follow a nested pattern

Nested code indentation patterns can become difficult to read.
• Server side platforms are finding success with asynchronous programming
techniques, with the same opportunities and pitfalls (nodejs). However, server side
implementations often have different methods of managing asynchronous
callbacks.

We want to implement asynchronous code the same way on client/server.
Asynchronous Programming
How many potential problems in this code?
Asynchronous Programming
Missed error handling
Lost space due to indentation
Duplicate error handling
Not *really* 0 seconds
Functional Reactive
Programming to the Rescue
Wikipedia : “In computing, reactive programming is a programming
paradigm oriented around data flows and the propagation of change.
This means that it should be possible to express static or dynamic data
flows with ease in the programming languages used, and that the
underlying execution model will automatically propagate changes
through the data flow.”
Reactive programming moves the unit of asynchronous programming
from a callback to a special object. It is a variable over time.
Promhx Object
Container Object
Value : _
Promhx Object
Container Object
Value :_resolve thenx function(_){…}
function(_){…}
function(_){…}
Promhx Object
Container Object
Value : xresolve thenx function(x){…}
function(x){…}
function(x){…}
Promhx Object
Container Object
Value : xresolve thenx function(x){…}
function(x){…}
function(x){…}
Loop n Loop n+1
Promhx Looping
Container Object
Value : x
Loop n Loop n+1
setImmediate
• Avoid the default delay of
4ms-10ms in setTimeout
• Avoid scheduling a new paint
task in
requestAnimationFrame
• Provide polyfill for backwards
compatibility (via noble.js)
Javascript specific details
Promhx Looping
Container Object
Value : x
Loop n Loop n+1
???
Other platforms : BYOEL
(bring your own event loop)
Promhx Object
Chaining
Value :_resolve then_ Value :_resolve then
Loop n Loop n+1 Loop n+2
Promhx Object
Chaining
Value : xresolve thenx Value :_resolve then
Loop n Loop n+1 Loop n+2
Promhx Object
Chaining
Value : xresolve thenx Value : xresolve then
Loop n Loop n+1 Loop n+2
Promhx Object
Chaining
Value : xresolve thenx Value : xresolve then
Loop n Loop n+1 Loop n+2
x
Wikipedia : “In computer science, future, promise, and
delay refer to constructs used for synchronizing in some
concurrent programming languages. They describe an
object that acts as a proxy for a result that is initially
unknown, usually because the computation of its value is
yet incomplete.”
What is a Promise?
What is a (Reactive) Stream?
Wikipedia : “In computer science, a stream is a
sequence of data elements made available over time. A
stream can be thought of as a conveyor belt that allows
items to be processed one at a time rather than in large
batches.”
Promises vs. Streams
• Promises
• Good for providing initial configuration, and ensuring that an asynchronous workflow
progresses “forward”.
• Can only resolve once!
• Streams
• Good for providing general-purpose reactive programming.
• Resolves more than once.
• Promises and Streams
• Generally, promises can be substituted where streams are expected, but not vice-versa.
• Both provide the same error semantics, and optimized asynchronous event loop
management.
• Both use Deferreds as a writable interface…
What is a Deferred?
Deferreds are a writable interface for reactive objects. Use them to prevent other developers
from mistakenly resolving a Promise or Stream that they should not have access to.*
!
*The notable exception is PublicStream, which is globally write-accessible.
What is a Deferred?
Container Object
Value :_
!
resolve
then
x
function(_){…}
function(_){…}
function(_){…}
Deferred
Basics of Reactive
Programming in Promhx
Move the callback to the proxy object
Basics of working with
Promises
then vs. when : instance vs. static usage
Error handling
• Errors are propagated through the reactive chain
• catchError() functions like a try/catch, preventing updates to other reactive variables.
• Use Haxe’s try/catch semantics to catch typed errors.
Promhx Object
Error Handling
Value :_resolve then Value :_resolve then
Loop n Loop n+1 Loop n+2
catchError
(private error linking method)
Promhx Object
Error Handling
Value :_resolve thenE Value :_resolve then
Loop n Loop n+1 Loop n+2
E
catchError
(private error linking method)
Promhx Object
Error Handling
Value :_resolve thenE Value :_resolve then
Loop n Loop n+1 Loop n+2
E E
catchError
(private error linking method)E
Promhx Object
Error Handling
Value :_resolve thenE Value :_resolve then
Loop n Loop n+1 Loop n+2
(private error linking method)
E
E
E
catchError E
Error handling
• errorThen() allows you to convert an error back into the appropriate
variable type.
• This variable can be propagated as if it were resolved normally.
Promhx Object
Recovering from an error
Value :_resolve then
Loop n+1
errorThen
Value :_resolve then
Loop n Loop n+2
Promhx Object
Value :_resolve then
Loop n+1
E
errorThen
E Value :_resolve then
Loop n Loop n+2
Recovering from an error
Promhx Object
Value :_resolve then
Loop n+1
E
errorThen
E Value :xresolve then
X
Loop n Loop n+2
Recovering from an error
Promhx Object
Value :_resolve then
Loop n+1
E
errorThen
E Value :xresolve then
X
X
Loop n Loop n+2
Recovering from an error
Are promhx objects
Monads?
• Type constructor : Create a monadic type for the underlying type. For example
it defines type Promise<Int> for the underlying type Int. I.e. the class
constructor
• unit function : Wraps a value of underlying type into a monad. For Promise
monad it wraps value 2 of type number into value Promise(2) of type
Promise<Int>. I.e. Promise.promise.
• bind function : Chains operations on monadic values. I.e. the “then” function.
…So yes, but why should we
care?
Three requirements for Monads:
Monads are useful
!
• Allows for new capabilities for a given type, and allows the original functions to use
the new capabilities.
• Captures operations on types, making it easier to build complex compositions that
all behave by the same simple rules.
• Represents side-effecting operations cleanly in languages where this is problematic
Monad Composability
• Do-notation provided courtesy of Monax (Stephane Ledorze)
• The “<=“ operator binds the result returned via then()
• We can drop the chain syntax, and write out promises as if they were a
simple series of expressions.
Composability vs. Standards
• JS: callback usage is predominant, especially in
platforms like node.
• Should we follow standards? Standards are good
right?
Promises A+ Spec
Promise<Promise<T>?
pipe/flatMap
then /map
No composability
Well Tested
~30 f tests
x 7 platforms
(2 have problems)
Promhx Speed
That’s it!
• I talked about why we need better asynchronous programming methods
• I talked about the basics of functional reactive programming
• I talked about the basic types of FRP that promhx supports, Promise,
Stream, and PublicStream. I also talked about what each one is
designed for, and how they use Deferred where appropriate.
• I talked about the way promhx handles errors and loop behavior
• I talked about some cool tricks that promhx can do since it behaves as
a monad
• I talked about how fast and well tested the library is
QUESTIONS
?
We’re Hiring!
• UI Dev Positions - Search and other teams
• Offices in Paris/Grenoble/Seattle/(etc.)
(San Francisco HQ)
• Not much Haxe… yet!

Weitere ähnliche Inhalte

Was ist angesagt?

NS-2 Tutorial
NS-2 TutorialNS-2 Tutorial
NS-2 Tutorial
code453
 

Was ist angesagt? (20)

C++ Coroutines
C++ CoroutinesC++ Coroutines
C++ Coroutines
 
Jvm profiling under the hood
Jvm profiling under the hoodJvm profiling under the hood
Jvm profiling under the hood
 
Collections forceawakens
Collections forceawakensCollections forceawakens
Collections forceawakens
 
Java concurrency
Java concurrencyJava concurrency
Java concurrency
 
Performance and predictability
Performance and predictabilityPerformance and predictability
Performance and predictability
 
Translating Qt Applications
Translating Qt ApplicationsTranslating Qt Applications
Translating Qt Applications
 
Iron Languages - NYC CodeCamp 2/19/2011
Iron Languages - NYC CodeCamp 2/19/2011Iron Languages - NYC CodeCamp 2/19/2011
Iron Languages - NYC CodeCamp 2/19/2011
 
Clojure - A practical LISP for the JVM
Clojure - A practical LISP for the JVMClojure - A practical LISP for the JVM
Clojure - A practical LISP for the JVM
 
Design patterns with kotlin
Design patterns with kotlinDesign patterns with kotlin
Design patterns with kotlin
 
Blocks & GCD
Blocks & GCDBlocks & GCD
Blocks & GCD
 
Java Concurrency in Practice
Java Concurrency in PracticeJava Concurrency in Practice
Java Concurrency in Practice
 
12 virtualmachine
12 virtualmachine12 virtualmachine
12 virtualmachine
 
Ns2
Ns2Ns2
Ns2
 
Qt Framework Events Signals Threads
Qt Framework Events Signals ThreadsQt Framework Events Signals Threads
Qt Framework Events Signals Threads
 
NS-2 Tutorial
NS-2 TutorialNS-2 Tutorial
NS-2 Tutorial
 
Fundamental concurrent programming
Fundamental concurrent programmingFundamental concurrent programming
Fundamental concurrent programming
 
Working with NS2
Working with NS2Working with NS2
Working with NS2
 
Reactive Qt - Ivan Čukić (Qt World Summit 2015)
Reactive Qt - Ivan Čukić (Qt World Summit 2015)Reactive Qt - Ivan Čukić (Qt World Summit 2015)
Reactive Qt - Ivan Čukić (Qt World Summit 2015)
 
nn network
nn networknn network
nn network
 
ZFS Log Spacemap - Flushing Algorithm
ZFS Log Spacemap - Flushing AlgorithmZFS Log Spacemap - Flushing Algorithm
ZFS Log Spacemap - Flushing Algorithm
 

Ähnlich wie WWX14 speech : Justin Donaldson "Promhx : Cross-platform Promises and Reactive Programming in Haxe"

The Evolution of Async-Programming on .NET Platform (.Net China, C#)
The Evolution of Async-Programming on .NET Platform (.Net China, C#)The Evolution of Async-Programming on .NET Platform (.Net China, C#)
The Evolution of Async-Programming on .NET Platform (.Net China, C#)
jeffz
 

Ähnlich wie WWX14 speech : Justin Donaldson "Promhx : Cross-platform Promises and Reactive Programming in Haxe" (20)

Solve it Differently with Reactive Programming
Solve it Differently with Reactive ProgrammingSolve it Differently with Reactive Programming
Solve it Differently with Reactive Programming
 
Reactive programming with examples
Reactive programming with examplesReactive programming with examples
Reactive programming with examples
 
The Evolution of Async-Programming on .NET Platform (.Net China, C#)
The Evolution of Async-Programming on .NET Platform (.Net China, C#)The Evolution of Async-Programming on .NET Platform (.Net China, C#)
The Evolution of Async-Programming on .NET Platform (.Net China, C#)
 
DZone_RC_RxJS
DZone_RC_RxJSDZone_RC_RxJS
DZone_RC_RxJS
 
Inventing the future Business Programming Language
Inventing the future  Business Programming LanguageInventing the future  Business Programming Language
Inventing the future Business Programming Language
 
Concurrency Constructs Overview
Concurrency Constructs OverviewConcurrency Constructs Overview
Concurrency Constructs Overview
 
Concurrency Programming in Java - 01 - Introduction to Concurrency Programming
Concurrency Programming in Java - 01 - Introduction to Concurrency ProgrammingConcurrency Programming in Java - 01 - Introduction to Concurrency Programming
Concurrency Programming in Java - 01 - Introduction to Concurrency Programming
 
A Domain-Specific Embedded Language for Programming Parallel Architectures.
A Domain-Specific Embedded Language for Programming Parallel Architectures.A Domain-Specific Embedded Language for Programming Parallel Architectures.
A Domain-Specific Embedded Language for Programming Parallel Architectures.
 
Go from a PHP Perspective
Go from a PHP PerspectiveGo from a PHP Perspective
Go from a PHP Perspective
 
Highly concurrent yet natural programming
Highly concurrent yet natural programmingHighly concurrent yet natural programming
Highly concurrent yet natural programming
 
20160609 nike techtalks reactive applications tools of the trade
20160609 nike techtalks reactive applications   tools of the trade20160609 nike techtalks reactive applications   tools of the trade
20160609 nike techtalks reactive applications tools of the trade
 
Introduction to OpenSees by Frank McKenna
Introduction to OpenSees by Frank McKennaIntroduction to OpenSees by Frank McKenna
Introduction to OpenSees by Frank McKenna
 
Async/Await Best Practices
Async/Await Best PracticesAsync/Await Best Practices
Async/Await Best Practices
 
Concur15slides
Concur15slidesConcur15slides
Concur15slides
 
From Hours to Minutes: The Journey of Optimizing Mask-RCNN and BERT Using MXNet
From Hours to Minutes: The Journey of Optimizing Mask-RCNN and BERT Using MXNetFrom Hours to Minutes: The Journey of Optimizing Mask-RCNN and BERT Using MXNet
From Hours to Minutes: The Journey of Optimizing Mask-RCNN and BERT Using MXNet
 
Lecture 15 run timeenvironment_2
Lecture 15 run timeenvironment_2Lecture 15 run timeenvironment_2
Lecture 15 run timeenvironment_2
 
C# 5 deep drive into asynchronous programming
C# 5 deep drive into asynchronous programmingC# 5 deep drive into asynchronous programming
C# 5 deep drive into asynchronous programming
 
CNN for modeling sentence
CNN for modeling sentenceCNN for modeling sentence
CNN for modeling sentence
 
Go Reactive: Event-Driven, Scalable, Resilient & Responsive Systems
Go Reactive: Event-Driven, Scalable, Resilient & Responsive SystemsGo Reactive: Event-Driven, Scalable, Resilient & Responsive Systems
Go Reactive: Event-Driven, Scalable, Resilient & Responsive Systems
 
Seattle Scalability Meetup 6-26-13
Seattle Scalability Meetup 6-26-13Seattle Scalability Meetup 6-26-13
Seattle Scalability Meetup 6-26-13
 

Mehr von antopensource

Mehr von antopensource (11)

Atelier node.js
Atelier node.jsAtelier node.js
Atelier node.js
 
Créer son logo vectoriel avec Inkscape
Créer son logo vectoriel avec InkscapeCréer son logo vectoriel avec Inkscape
Créer son logo vectoriel avec Inkscape
 
Prise en main rapide et facile de Gimp
Prise en main rapide et facile de GimpPrise en main rapide et facile de Gimp
Prise en main rapide et facile de Gimp
 
Low fi prototype par Pol Gaosdoué
Low fi prototype par Pol GaosdouéLow fi prototype par Pol Gaosdoué
Low fi prototype par Pol Gaosdoué
 
Atelier brand utility 03.11.2015 Silexl Labs2
Atelier brand utility 03.11.2015  Silexl Labs2Atelier brand utility 03.11.2015  Silexl Labs2
Atelier brand utility 03.11.2015 Silexl Labs2
 
Atelier Blender Fev-2016 2/2
Atelier Blender Fev-2016  2/2Atelier Blender Fev-2016  2/2
Atelier Blender Fev-2016 2/2
 
Atelier Blender Fev-2016 1/2
Atelier Blender Fev-2016 1/2Atelier Blender Fev-2016 1/2
Atelier Blender Fev-2016 1/2
 
Silexlabs atelier couleurs 01
Silexlabs atelier couleurs 01Silexlabs atelier couleurs 01
Silexlabs atelier couleurs 01
 
Jive the renovation of Aswing
Jive the renovation of AswingJive the renovation of Aswing
Jive the renovation of Aswing
 
WWX2014 speech : Elliott Stoneham "Tardis go"
WWX2014 speech : Elliott Stoneham "Tardis go"WWX2014 speech : Elliott Stoneham "Tardis go"
WWX2014 speech : Elliott Stoneham "Tardis go"
 
Wwx2014 - Todd Kulick "Shipping One Million Lines of Haxe to (Over) One Milli...
Wwx2014 - Todd Kulick "Shipping One Million Lines of Haxe to (Over) One Milli...Wwx2014 - Todd Kulick "Shipping One Million Lines of Haxe to (Over) One Milli...
Wwx2014 - Todd Kulick "Shipping One Million Lines of Haxe to (Over) One Milli...
 

Kürzlich hochgeladen

+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
Health
 
AI Mastery 201: Elevating Your Workflow with Advanced LLM Techniques
AI Mastery 201: Elevating Your Workflow with Advanced LLM TechniquesAI Mastery 201: Elevating Your Workflow with Advanced LLM Techniques
AI Mastery 201: Elevating Your Workflow with Advanced LLM Techniques
VictorSzoltysek
 
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICECHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
9953056974 Low Rate Call Girls In Saket, Delhi NCR
 

Kürzlich hochgeladen (20)

+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
 
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdfLearn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
 
How to Choose the Right Laravel Development Partner in New York City_compress...
How to Choose the Right Laravel Development Partner in New York City_compress...How to Choose the Right Laravel Development Partner in New York City_compress...
How to Choose the Right Laravel Development Partner in New York City_compress...
 
10 Trends Likely to Shape Enterprise Technology in 2024
10 Trends Likely to Shape Enterprise Technology in 202410 Trends Likely to Shape Enterprise Technology in 2024
10 Trends Likely to Shape Enterprise Technology in 2024
 
Introducing Microsoft’s new Enterprise Work Management (EWM) Solution
Introducing Microsoft’s new Enterprise Work Management (EWM) SolutionIntroducing Microsoft’s new Enterprise Work Management (EWM) Solution
Introducing Microsoft’s new Enterprise Work Management (EWM) Solution
 
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
 
How To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.jsHow To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.js
 
AI Mastery 201: Elevating Your Workflow with Advanced LLM Techniques
AI Mastery 201: Elevating Your Workflow with Advanced LLM TechniquesAI Mastery 201: Elevating Your Workflow with Advanced LLM Techniques
AI Mastery 201: Elevating Your Workflow with Advanced LLM Techniques
 
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS LiveVip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
 
Microsoft AI Transformation Partner Playbook.pdf
Microsoft AI Transformation Partner Playbook.pdfMicrosoft AI Transformation Partner Playbook.pdf
Microsoft AI Transformation Partner Playbook.pdf
 
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
 
Diamond Application Development Crafting Solutions with Precision
Diamond Application Development Crafting Solutions with PrecisionDiamond Application Development Crafting Solutions with Precision
Diamond Application Development Crafting Solutions with Precision
 
Unveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
Unveiling the Tech Salsa of LAMs with Janus in Real-Time ApplicationsUnveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
Unveiling the Tech Salsa of LAMs with Janus in Real-Time Applications
 
A Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docxA Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docx
 
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
 
Exploring the Best Video Editing App.pdf
Exploring the Best Video Editing App.pdfExploring the Best Video Editing App.pdf
Exploring the Best Video Editing App.pdf
 
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
 
AI & Machine Learning Presentation Template
AI & Machine Learning Presentation TemplateAI & Machine Learning Presentation Template
AI & Machine Learning Presentation Template
 
Define the academic and professional writing..pdf
Define the academic and professional writing..pdfDefine the academic and professional writing..pdf
Define the academic and professional writing..pdf
 
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICECHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
 

WWX14 speech : Justin Donaldson "Promhx : Cross-platform Promises and Reactive Programming in Haxe"

  • 2. A bit about me… Data Visualization + Data Science + Machine Learning + Advanced UI
  • 3. I “Promhx” to explain… var p = new Promise<Explanation>(); var s = new Stream<Examples>(); var d = new Deferred<Understanding>(); But first some background…
  • 4. Asynchronous Programming • Client code is often single threaded. Excessive time delays due to computation causes rendering lag, and can block IO.
 We often need to break up computation in multiple loops. • Client code often handles server responses through asynchronous callbacks. 
 We need to wait for the server to respond. • Managing error handling often involves careful use of try-catch in several locations. It is difficult to ensure all exceptions are caught.
 We want a better way of handling generic errors. • Callbacks generally follow a nested pattern
 Nested code indentation patterns can become difficult to read. • Server side platforms are finding success with asynchronous programming techniques, with the same opportunities and pitfalls (nodejs). However, server side implementations often have different methods of managing asynchronous callbacks.
 We want to implement asynchronous code the same way on client/server.
  • 5. Asynchronous Programming How many potential problems in this code?
  • 6. Asynchronous Programming Missed error handling Lost space due to indentation Duplicate error handling Not *really* 0 seconds
  • 7. Functional Reactive Programming to the Rescue Wikipedia : “In computing, reactive programming is a programming paradigm oriented around data flows and the propagation of change. This means that it should be possible to express static or dynamic data flows with ease in the programming languages used, and that the underlying execution model will automatically propagate changes through the data flow.” Reactive programming moves the unit of asynchronous programming from a callback to a special object. It is a variable over time.
  • 9. Promhx Object Container Object Value :_resolve thenx function(_){…} function(_){…} function(_){…}
  • 10. Promhx Object Container Object Value : xresolve thenx function(x){…} function(x){…} function(x){…}
  • 11. Promhx Object Container Object Value : xresolve thenx function(x){…} function(x){…} function(x){…} Loop n Loop n+1
  • 12. Promhx Looping Container Object Value : x Loop n Loop n+1 setImmediate • Avoid the default delay of 4ms-10ms in setTimeout • Avoid scheduling a new paint task in requestAnimationFrame • Provide polyfill for backwards compatibility (via noble.js) Javascript specific details
  • 13. Promhx Looping Container Object Value : x Loop n Loop n+1 ??? Other platforms : BYOEL (bring your own event loop)
  • 14. Promhx Object Chaining Value :_resolve then_ Value :_resolve then Loop n Loop n+1 Loop n+2
  • 15. Promhx Object Chaining Value : xresolve thenx Value :_resolve then Loop n Loop n+1 Loop n+2
  • 16. Promhx Object Chaining Value : xresolve thenx Value : xresolve then Loop n Loop n+1 Loop n+2
  • 17. Promhx Object Chaining Value : xresolve thenx Value : xresolve then Loop n Loop n+1 Loop n+2 x
  • 18. Wikipedia : “In computer science, future, promise, and delay refer to constructs used for synchronizing in some concurrent programming languages. They describe an object that acts as a proxy for a result that is initially unknown, usually because the computation of its value is yet incomplete.” What is a Promise?
  • 19. What is a (Reactive) Stream? Wikipedia : “In computer science, a stream is a sequence of data elements made available over time. A stream can be thought of as a conveyor belt that allows items to be processed one at a time rather than in large batches.”
  • 20. Promises vs. Streams • Promises • Good for providing initial configuration, and ensuring that an asynchronous workflow progresses “forward”. • Can only resolve once! • Streams • Good for providing general-purpose reactive programming. • Resolves more than once. • Promises and Streams • Generally, promises can be substituted where streams are expected, but not vice-versa. • Both provide the same error semantics, and optimized asynchronous event loop management. • Both use Deferreds as a writable interface…
  • 21. What is a Deferred? Deferreds are a writable interface for reactive objects. Use them to prevent other developers from mistakenly resolving a Promise or Stream that they should not have access to.* ! *The notable exception is PublicStream, which is globally write-accessible.
  • 22. What is a Deferred? Container Object Value :_ ! resolve then x function(_){…} function(_){…} function(_){…} Deferred
  • 23. Basics of Reactive Programming in Promhx Move the callback to the proxy object
  • 24. Basics of working with Promises then vs. when : instance vs. static usage
  • 25. Error handling • Errors are propagated through the reactive chain • catchError() functions like a try/catch, preventing updates to other reactive variables. • Use Haxe’s try/catch semantics to catch typed errors.
  • 26. Promhx Object Error Handling Value :_resolve then Value :_resolve then Loop n Loop n+1 Loop n+2 catchError (private error linking method)
  • 27. Promhx Object Error Handling Value :_resolve thenE Value :_resolve then Loop n Loop n+1 Loop n+2 E catchError (private error linking method)
  • 28. Promhx Object Error Handling Value :_resolve thenE Value :_resolve then Loop n Loop n+1 Loop n+2 E E catchError (private error linking method)E
  • 29. Promhx Object Error Handling Value :_resolve thenE Value :_resolve then Loop n Loop n+1 Loop n+2 (private error linking method) E E E catchError E
  • 30. Error handling • errorThen() allows you to convert an error back into the appropriate variable type. • This variable can be propagated as if it were resolved normally.
  • 31. Promhx Object Recovering from an error Value :_resolve then Loop n+1 errorThen Value :_resolve then Loop n Loop n+2
  • 32. Promhx Object Value :_resolve then Loop n+1 E errorThen E Value :_resolve then Loop n Loop n+2 Recovering from an error
  • 33. Promhx Object Value :_resolve then Loop n+1 E errorThen E Value :xresolve then X Loop n Loop n+2 Recovering from an error
  • 34. Promhx Object Value :_resolve then Loop n+1 E errorThen E Value :xresolve then X X Loop n Loop n+2 Recovering from an error
  • 35. Are promhx objects Monads? • Type constructor : Create a monadic type for the underlying type. For example it defines type Promise<Int> for the underlying type Int. I.e. the class constructor • unit function : Wraps a value of underlying type into a monad. For Promise monad it wraps value 2 of type number into value Promise(2) of type Promise<Int>. I.e. Promise.promise. • bind function : Chains operations on monadic values. I.e. the “then” function. …So yes, but why should we care? Three requirements for Monads:
  • 36. Monads are useful ! • Allows for new capabilities for a given type, and allows the original functions to use the new capabilities. • Captures operations on types, making it easier to build complex compositions that all behave by the same simple rules. • Represents side-effecting operations cleanly in languages where this is problematic
  • 37. Monad Composability • Do-notation provided courtesy of Monax (Stephane Ledorze) • The “<=“ operator binds the result returned via then() • We can drop the chain syntax, and write out promises as if they were a simple series of expressions.
  • 38. Composability vs. Standards • JS: callback usage is predominant, especially in platforms like node. • Should we follow standards? Standards are good right?
  • 40. Well Tested ~30 f tests x 7 platforms (2 have problems)
  • 42. That’s it! • I talked about why we need better asynchronous programming methods • I talked about the basics of functional reactive programming • I talked about the basic types of FRP that promhx supports, Promise, Stream, and PublicStream. I also talked about what each one is designed for, and how they use Deferred where appropriate. • I talked about the way promhx handles errors and loop behavior • I talked about some cool tricks that promhx can do since it behaves as a monad • I talked about how fast and well tested the library is
  • 44. We’re Hiring! • UI Dev Positions - Search and other teams • Offices in Paris/Grenoble/Seattle/(etc.) (San Francisco HQ) • Not much Haxe… yet!