SlideShare ist ein Scribd-Unternehmen logo
1 von 64
by Mario Fusco
mario.fusco@gmail.com
@mariofusco
From object oriented
to functional
domain modeling
Reassigning a variable
Modifying a data structure in place
Setting a field on an object
Throwing an exception or halting with an error
Printing to the console
Reading user input
Reading from or writing to a file
Drawing on the screen
A program created using only pure functions
What is a functional program?
No (observable) side effects allowed like:
Functional programming is a restriction on how we
write programs, but not on what they can do
}
}
avoidable
deferrable
OOP makes code
understandable by
encapsulating moving parts
FP makes code understandable
by minimizing moving parts
- Michael Feathers
OOP vs FP
Why Immutability?
➢ Immutable objects are often easier to use.
Compare java.util.Calendar (mutable)
with java.time.LocalDate (immutable)
➢ Implementing an immutable object is often
easier, as there is less that can go wrong
➢ Immutable objects reduce the number of
possible interactions between different
parts of the program
➢ Immutable objects can be safely shared
between multiple threads
A quick premise
It is not only black or white ...
Object
Oriented
Programming
Functional
Programming
A quick premise
It is not only black or white ...
… there are (at least)
50 shades of gray in the middle
Object
Oriented
Programming
Functional
Programming
The OOP/FP dualism - OOP
public class Bird { }
public class Cat {
private Bird catch;
private boolean full;
public void capture(Bird bird) {
catch = bird;
}
public void eat() {
full = true;
catch = null;
}
}
Cat cat = new Cat();
Bird bird = new Bird();
cat.capture(bird);
cat.eat();
The story
The OOP/FP dualism - FP
public class Bird { }
public class Cat {
public CatWithCatch capture(Bird bird) { return new CatWithCatch(bird); }
}
public class CatWithCatch {
private final Bird catch;
public CatWithCatch(Bird bird) { catch = bird; }
public FullCat eat() { return new FullCat(); }
}
public class FullCat { }
BiFunction<Cat, Bird, FullCat> story =
((BiFunction<Cat, Bird, CatWithCatch>)Cat::capture)
.andThen(CatWithCatch::eat);
FullCat fullCat = story.apply( new Cat(), new Bird() );
Immutability
Emphasis on verbs
instead of names
No need to test internal state: correctness enforced by the compiler
More expressive
use of type
system
From Object to Function centric
BiFunction<Cat, Bird, CatWithCatch> capture =
(cat, bird) -> cat.capture(bird);
Function<CatWithCatch, FullCat> eat =
CatWithCatch::eat;
BiFunction<Cat, Bird, FullCat> story = capture.andThen(eat);
Functions
compose
better than
objects
A composable functional API
public class API {
public static Cart buy(List<Item> items) { ... }
public static Order order(Cart cart) { ... }
public static Delivery deliver(Order order) { ... }
}
Function<Delivery, List<Item>> oneClickBuy =
((Function<Cart, List<Item>>) API::buy)
.andThen(API::order)
.andThen(API::deliver);
Delivery d = oneClickBuy.apply(asList(book, watch, phone));
public static <T> void sort(List<T> list,
Comparator<? super T> c)
Essence of Functional Programming
Data and behaviors are the same thing!
Data
Behaviors
Collections.sort(persons,
(p1, p2) -> p1.getAge() – p2.getAge())
Higher-order functions
Are they so mind-blowing?
… but one of the most influent sw engineering
book is almost completely dedicated to them
Command
Template Method
Functions are more general and higher level abstractions
Factory
Strategy
public interface Converter {
double convert(double value);
}
A strategy pattern Converter
public abstract class AbstractConverter implements Converter {
public double convert(double value) {
return value * getConversionRate();
}
public abstract double getConversionRate();
}
public class Mi2KmConverter extends AbstractConverter {
public double getConversionRate() { return 1.609; }
}
public class Ou2GrConverter extends AbstractConverter {
public double getConversionRate() { return 28.345; }
}
public List<Double> convertValues(List<Double> values,
Converter converter) {
List<Double> convertedValues = new ArrayList<Double>();
for (double value : values) {
convertedValues.add(converter.convert(value));
}
return convertedValues;
}
Using the Converter
List<Double> values = Arrays.asList(10, 20, 50);
List<Double> convertedDistances =
convertValues(values, new Mi2KmConverter());
List<Double> convertedWeights =
convertValues(values, new Ou2GrConverter());
A functional Converter
public class Converter implements
ExtendedBiFunction<Double, Double, Double> {
@Override
public Double apply(Double conversionRate, Double value) {
return conversionRate * value;
}
}
@FunctionalInterface
public interface ExtendedBiFunction<T, U, R> extends
BiFunction<T, U, R> {
default Function<U, R> curry1(T t) {
return u -> apply(t, u);
}
default Function<T, R> curry2(U u) {
return t -> apply(t, u);
}
}
Currying
Converter converter = new Converter();
double tenMilesInKm = converter.apply(1.609, 10.0);
Function<Double, Double> mi2kmConverter = converter.curry1(1.609);
double tenMilesInKm = mi2kmConverter.apply(10.0);
Converter
value
rate
result
Mi2km
Convertervalue
rate=1.609
result
curry1
List<Double> values = Stream.of(10, 20, 50)
.map(mi2kmConverter)
.collect(toList())
Function Composition
Celsius → Fahrenheit : F = C * 9/5 + 32
Converter
value
rate=9/5 andThen
n -> n+32
result
Celsius2FarenheitConverter
Function<Double, Double> c2fConverter =
new Converter().curry1(9.0/5)
.andThen(n -> n + 32);
More Function Composition
@FunctionalInterface
public interface ExtendedBiFunction<T, U, R> extends
BiFunction<T, U, R> {
default <V> ExtendedBiFunction<V, U, R>
compose1(Function<? super V, ? extends T> before) {
return (v, u) -> apply(before.apply(v), u);
}
default <V> ExtendedBiFunction<T, V, R>
compose2(Function<? super V, ? extends U> before) {
return (t, v) -> apply(t, before.apply(v));
}
}
default <V> Function<V, R>
compose(Function<? super V, ? extends T> before) {
return (V v) -> apply(before.apply(v));
}
More Function Composition
Fahrenheit → Celsius : C = (F - 32) * 5/9
Converter
rate=5/9
value
n -> n-32
result
Farenheit2CelsiusConverter
Function<Double, Double> f2cConverter =
new Converter().compose2((Double n) -> n - 32)
.curry1(5.0/9);
Functions are building blocks to create other functions
compose2
public class SalaryCalculator {
public double plusAllowance(double d) { return d * 1.2; }
public double plusBonus(double d) { return d * 1.1; }
public double plusTax(double d) { return d * 0.7; }
public double plusSurcharge(double d) { return d * 0.9; }
public double calculate(double basic, boolean... bs) {
double salary = basic;
if (bs[0]) salary = plusAllowance(salary);
if (bs[1]) salary = plusBonus(salary);
if (bs[2]) salary = plusTax(salary);
if (bs[3]) salary = plusSurcharge(salary);
return salary;
}
}
A Salary Calculator
double basicBobSalary = ...;
double netBobSalary =
new SalaryCalculator().calculate( basicBobSalary,
false, // allowance
true, // bonus
true, // tax
false // surcharge
);
Using the Salary Calculator
How can I
remember the
right sequence?
public class SalaryCalculatorBuilder extends SalaryCalculator {
private boolean hasAllowance;
private boolean hasBonus;
private boolean hasTax;
private boolean hasSurcharge;
public SalaryCalculatorFactory withAllowance() {
hasAllowance = true;
return this;
}
// ... more withX() methods
public double calculate(double basic) {
return calculate( basic, hasAllowance, hasBonus,
hasTax, hasSurcharge );
}
}
A Salary Calculator Builder
double basicBobSalary = ...;
double netBobSalary = new SalaryCalculatorBuilder()
.withBonus()
.withTax()
.calculate( basicBobSalary );
Using the Salary Calculator
Factory
Better,
but what if I have to
add another function?
public final class SalaryRules {
private SalaryRules() { }
public static double allowance(double d) { return d * 1.2; }
public static double bonus(double d) { return d * 1.1; }
public static double tax(double d) { return d * 0.7; }
public static double surcharge(double d) { return d * 0.9; }
}
Isolating Salary Rules
public class SalaryCalculator {
private final List<Function<Double, Double>> fs =
new ArrayList<>();
public SalaryCalculator with(Function<Double, Double> f) {
fs.add(f);
return this;
}
public double calculate(double basic) {
return fs.stream()
.reduce( Function.identity(), Function::andThen )
.apply( basic );
}
}
A Functional Salary Calculator
double basicBobSalary = ...;
double netBobSalary = new SalaryCalculator()
.with( SalaryRules::bonus )
.with( SalaryRules::tax )
.calculate( basicBobSalary );
Using the Functional Salary Calculator
➢ No need of any special
builder to improve readability
double basicBobSalary = ...;
double netBobSalary = new SalaryCalculator()
.with( SalaryRules::bonus )
.with( SalaryRules::tax )
.with( s -> s * 0.95 ) // regional tax
.calculate( basicBobSalary );
Using the Functional Salary Calculator
➢ No need of any special
builder to improve readability
➢ Extensibility comes for free
public class SalaryCalculator {
private final Function<Double, Double> calc;
public SalaryCalculator() { this( Function::identity() ); }
private SalaryCalculator(Function<Double, Double> calc) {
this.calc = calc;
}
public SalaryCalculator with(Function<Double, Double> f) {
return new SalaryCalculator( calc.andThen(f) );
}
public double calculate(double basic) {
return calc.apply( basic );
}
}
A (better) Functional Salary Calculator
JΛVΛSLΛNG
A functional Library for Java 8
Immutable Collections
Pattern Matching
Failure Handling
Tuple3<Person, Account, Building>
final A result = Try.of(() -> bunchOfWork())
.recover(x -> Match
.caze((Exception_1 e) -> ...)
.caze((Exception_2 e) -> ...)
.caze((Exception_n e) -> ...)
.apply(x))
.orElse(other);
Let's have a coffee break ...
public class Cafe {
public Coffee buyCoffee(CreditCard cc) {
Coffee cup = new Coffee();
cc.charge( cup.getPrice() );
return cup;
}
public List<Coffee> buyCoffees(CreditCard cc, int n) {
return Stream.generate( () -> buyCoffee( cc ) )
.limit( n )
.collect( toList() );
}
}
Side-effect
How can we test this without
contacting the bank or using a mock?
How can reuse that method to
buy more coffees without
charging the card multiple times?
… but please a side-effect free one
import javaslang.Tuple2;
import javaslang.collection.Stream;
public class Cafe {
public Tuple2<Coffee, Charge> buyCoffee(CreditCard cc) {
Coffee cup = new Coffee();
return new Tuple2<>(cup, new Charge(cc, cup.getPrice()));
}
public Tuple2<List<Coffee>, Charge> buyCoffees(CreditCard cc, int n) {
Tuple2<Stream<Coffee>, Stream<Charge>> purchases =
Stream.gen( () -> buyCoffee( cc ) )
.subsequence( 0, n )
.unzip( identity() );
return new Tuple2<>( purchases._1.toJavaList(),
purchases._2.foldLeft( new Charge( cc, 0 ),
Charge::add) );
}
}
public Charge add(Charge other) {
if (cc == other.cc)
return new Charge(cc, amount + other.amount);
else
throw new RuntimeException(
"Can't combine charges to different cards");
Error handling with Exceptions?
➢
Often abused, especially for flow
control
➢
Checked Exceptions harm API
extensibility/modificability
➢
They also plays very badly with
lambdas syntax
➢
Not composable: in presence of
multiple errors only the first one is
reported
➢
In the end just a GLORIFIED
MULTILEVEL GOTO
Error handling
The functional alternatives
Either<Exception, Value>
➢
The functional way of returning a value which can actually be one
of two values: the error/exception (Left) or the correct value (Right)
Validation<List<Exception>, Value>
➢
Composable: can accumulate multiple errors
Try<Value>
➢
Signal that the required computation may eventually fail
A OOP BankAccount ...
public class Balance {
final BigDecimal amount;
public Balance( BigDecimal amount ) { this.amount = amount; }
}
public class Account {
private final String owner;
private final String number;
private Balance balance = new Balance(BigDecimal.ZERO);
public Account( String owner, String number ) {
this.owner = owner;
this.number = number;
}
public void credit(BigDecimal value) {
balance = new Balance( balance.amount.add( value ) );
}
public void debit(BigDecimal value) throws InsufficientBalanceException {
if (balance.amount.compareTo( value ) < 0)
throw new InsufficientBalanceException();
Mutability
Error handling
using Exception
… and how we can use it
Account a = new Account("Alice", "123");
Account b = new Account("Bob", "456");
Account c = new Account("Charlie", "789");
List<Account> unpaid = new ArrayList<>();
for (Account account : Arrays.asList(a, b, c)) {
try {
account.debit( new BigDecimal( 100.00 ) );
} catch (InsufficientBalanceException e) {
unpaid.add(account);
}
}
List<Account> unpaid = new ArrayList<>();
Stream.of(a, b, c).forEach( account -> {
try {
account.debit( new BigDecimal( 100.00 ) );
} catch (InsufficientBalanceException e) {
unpaid.add(account);
}
} );
Mutation of enclosing scope
Cannot use a parallel Stream
Ugly syntax
Error handling with Try monad
public interface Try<A> {
<B> Try<B> map(Function<A, B> f);
<B> Try<B> flatMap(Function<A, Try<B>> f);
boolean isFailure();
}
public Success<A> implements Try<A> {
private final A value;
public Success(A value) { this.value = value; }
public boolean isFailure() { return false; }
public <B> Try<B> map(Function<A, B> f) {
return new Success<>(f.apply(value));
}
public <B> Try<B> flatMap(Function<A, Try<B>> f) {
return f.apply(value);
}
}
public Failure<A> implements Try<T> {
private final Object error;
public Failure(Object error) { this.error = error; }
public boolean isFailure() { return false; }
public <B> Try<B> map(Function<A, B> f) { return (Failure<B>)this; }
map defines monad's policy
for function application
flatMap defines monad's policy
for monads composition
A functional BankAccount ...
public class Account {
private final String owner;
private final String number;
private final Balance balance;
public Account( String owner, String number, Balance balance ) {
this.owner = owner;
this.number = number;
this.balance = balance;
}
public Account credit(BigDecimal value) {
return new Account( owner, number,
new Balance( balance.amount.add( value ) ) );
}
public Try<Account> debit(BigDecimal value) {
if (balance.amount.compareTo( value ) < 0)
return new Failure<>( new InsufficientBalanceError() );
return new Success<>(
new Account( owner, number,
new Balance( balance.amount.subtract( value ) ) ) );
Immutable
Error handling
without Exceptions
… and how we can use it
Account a = new Account("Alice", "123");
Account b = new Account("Bob", "456");
Account c = new Account("Charlie", "789");
List<Account> unpaid =
Stream.of( a, b, c )
.map( account ->
new Tuple2<>( account,
account.debit( new BigDecimal( 100.00 ) ) ) )
.filter( t -> t._2.isFailure() )
.map( t -> t._1 )
.collect( toList() );
List<Account> unpaid =
Stream.of( a, b, c )
.filter( account ->
account.debit( new BigDecimal( 100.00 ) )
.isFailure() )
.collect( toList() );
From Methods to Functions
public class BankService {
public static Try<Account> open(String owner, String number,
BigDecimal balance) {
if (initialBalance.compareTo( BigDecimal.ZERO ) < 0)
return new Failure<>( new InsufficientBalanceError() );
return new Success<>( new Account( owner, number,
new Balance( balance ) ) );
}
public static Account credit(Account account, BigDecimal value) {
return new Account( account.owner, account.number,
new Balance( account.balance.amount.add( value ) ) );
}
public static Try<Account> debit(Account account, BigDecimal value) {
if (account.balance.amount.compareTo( value ) < 0)
return new Failure<>( new InsufficientBalanceError() );
return new Success<>(
new Account( account.owner, account.number,
new Balance( account.balance.amount.subtract( value ) ) ) );
}
Decoupling state and behavior
import static BankService.*
Try<Account> account =
open( "Alice", "123", new BigDecimal( 100.00 ) )
.map( acc -> credit( acc, new BigDecimal( 200.00 ) ) )
.map( acc -> credit( acc, new BigDecimal( 300.00 ) ) )
.flatMap( acc -> debit( acc, new BigDecimal( 400.00 ) ) );
The object-oriented paradigm couples state and
behavior
Functional programming decouples them
… but I need a BankConnection!
What about dependency injection?
A naïve solution
public class BankService {
public static Try<Account> open(String owner, String number,
BigDecimal balance, BankConnection bankConnection) {
...
}
public static Account credit(Account account, BigDecimal value,
BankConnection bankConnection) {
...
}
public static Try<Account> debit(Account account, BigDecimal value,
BankConnection bankConnection) {
...
}
}
BankConnection bconn = new BankConnection();
Try<Account> account =
open( "Alice", "123", new BigDecimal( 100.00 ), bconn )
.map( acc -> credit( acc, new BigDecimal( 200.00 ), bconn ) )
.map( acc -> credit( acc, new BigDecimal( 300.00 ), bconn ) )
.flatMap( acc -> debit( acc, new BigDecimal( 400.00 ), bconn ) );
Necessary to create the
BankConnection in advance ...
… and pass it to all methods
Making it lazy
public class BankService {
public static Function<BankConnection, Try<Account>>
open(String owner, String number, BigDecimal balance) {
return (BankConnection bankConnection) -> ...
}
public static Function<BankConnection, Account>
credit(Account account, BigDecimal value) {
return (BankConnection bankConnection) -> ...
}
public static Function<BankConnection, Try<Account>>
debit(Account account, BigDecimal value) {
return (BankConnection bankConnection) -> ...
}
}Function<BankConnection, Try<Account>> f =
(BankConnection conn) ->
open( "Alice", "123", new BigDecimal( 100.00 ) )
.apply( conn )
.map( acc -> credit( acc, new BigDecimal( 200.00 ) ).apply( conn ) )
.map( acc -> credit( acc, new BigDecimal( 300.00 ) ).apply( conn ) )
.flatMap( acc -> debit( acc, new BigDecimal( 400.00 ) ).apply( conn ) );
open
Ctx -> S1
S1
A, B
credit
Ctx
S2
C, D
result
open
S1
A, B, Ctx
injection
credit
C, D, Ctx, S1
resultS2
Pure OOP implementation Static Methods
open
A, B
apply(Ctx)
S1
Ctx -> S2
apply(Ctx)
S2
C, D
Lazy evaluation
Ctx
credit
result
Introducing the Reader monad ...
public class Reader<R, A> {
private final Function<R, A> run;
public Reader( Function<R, A> run ) {
this.run = run;
}
public <B> Reader<R, B> map(Function<A, B> f) {
...
}
public <B> Reader<R, B> flatMap(Function<A, Reader<R, B>> f) {
...
}
public A apply(R r) {
return run.apply( r );
}
} The reader monad provides an environment to
wrap an abstract computation without evaluating
Introducing the Reader monad ...
public class Reader<R, A> {
private final Function<R, A> run;
public Reader( Function<R, A> run ) {
this.run = run;
}
public <B> Reader<R, B> map(Function<A, B> f) {
return new Reader<>((R r) -> f.apply( apply( r ) ));
}
public <B> Reader<R, B> flatMap(Function<A, Reader<R, B>> f) {
return new Reader<>((R r) -> f.apply( apply( r ) ).apply( r ));
}
public A apply(R r) {
return run.apply( r );
}
} The reader monad provides an environment to
wrap an abstract computation without evaluating
… and combining it with Try
public class TryReader<R, A> {
private final Function<R, Try<A>> run;
public TryReader( Function<R, Try<A>> run ) {
this.run = run;
}
public <B> TryReader<R, B> map(Function<A, B> f) {
...
}
public <B> TryReader<R, B> mapReader(Function<A, Reader<R, B>> f) {
...
}
public <B> TryReader<R, B> flatMap(Function<A, TryReader<R, B>> f) {
...
}
public Try<A> apply(R r) {
… and combining it with Try
public class TryReader<R, A> {
private final Function<R, Try<A>> run;
public TryReader( Function<R, Try<A>> run ) {
this.run = run;
}
public <B> TryReader<R, B> map(Function<A, B> f) {
return new TryReader<R, B>((R r) -> apply( r )
.map( a -> f.apply( a ) ));
}
public <B> TryReader<R, B> mapReader(Function<A, Reader<R, B>> f) {
return new TryReader<R, B>((R r) -> apply( r )
.map( a -> f.apply( a ).apply( r ) ));
}
public <B> TryReader<R, B> flatMap(Function<A, TryReader<R, B>> f) {
return new TryReader<R, B>((R r) -> apply( r )
.flatMap( a -> f.apply( a ).apply( r ) ));
}
public Try<A> apply(R r) {
A more user-friendly API
public class BankService {
public static TryReader<BankConnection, Account>
open(String owner, String number, BigDecimal balance) {
return new TryReader<>( (BankConnection bankConnection) -> ... )
}
public static Reader<BankConnection, Account>
credit(Account account, BigDecimal value) {
return new Reader<>( (BankConnection bankConnection) -> ... )
}
public static TryReader<BankConnection, Account>
debit(Account account, BigDecimal value) {
return new TryReader<>( (BankConnection bankConnection) -> ... )
}
}
TryReader<BankConnection, Account> reader =
open( "Alice", "123", new BigDecimal( 100.00 ) )
.mapReader( acc -> credit( acc, new BigDecimal( 200.00 ) ) )
.mapReader( acc -> credit( acc, new BigDecimal( 300.00 ) ) )
.flatMap( acc -> debit( acc, new BigDecimal( 400.00 ) ) );
Try<Account> account = reader.apply( new BankConnection() );
open
Ctx -> S1
S1
A, B
credit
Ctx
S2
C, D
result
open
S1
A, B, Ctx
injection
credit
C, D, Ctx, S1
resultS2
Pure OOP implementation Static Methods
open
A, B
apply(Ctx)
S1
Ctx -> S2
apply(Ctx)
S2
C, D
Lazy evaluation
Ctx
credit
Reader monad
result
Ctx -> S1
A, B C, D
map(credit)
Ctx -> result
apply(Ctx)
open
Ctx -> S2
Wrap up
Toward a functional domain model
API design is an iterative process
Strive for immutability
private final Object obj;
Confine side-effects
Avoid using exceptions for error handling
Say it with types
Tuple3<
Function<
BankConnection,
Try<Account>
>,
Optional<Address>,
Future<
List<Withdrawal>
>
>
Use anemic object
Put domain logic in pure functions
FP allows better
Reusability & Composability
OOP
FP
=
Throw away your
GoF copy ...
… and learn some
functional patterns
Suggested readings
Mario Fusco
Red Hat – Senior Software Engineer
mario.fusco@gmail.com
twitter: @mariofusco
Q A
Thanks … Questions?

Weitere ähnliche Inhalte

Was ist angesagt?

Proxies are Awesome!
Proxies are Awesome!Proxies are Awesome!
Proxies are Awesome!Brendan Eich
 
ADG Poznań - Kotlin for Android developers
ADG Poznań - Kotlin for Android developersADG Poznań - Kotlin for Android developers
ADG Poznań - Kotlin for Android developersBartosz Kosarzycki
 
Practical tips for building apps with kotlin
Practical tips for building apps with kotlinPractical tips for building apps with kotlin
Practical tips for building apps with kotlinAdit Lal
 
Save time with kotlin in android development
Save time with kotlin in android developmentSave time with kotlin in android development
Save time with kotlin in android developmentAdit Lal
 
Kotlin for Android devs
Kotlin for Android devsKotlin for Android devs
Kotlin for Android devsAdit Lal
 
Connect.Tech- Swift Memory Management
Connect.Tech- Swift Memory ManagementConnect.Tech- Swift Memory Management
Connect.Tech- Swift Memory Managementstable|kernel
 
Scalable JavaScript Design Patterns
Scalable JavaScript Design PatternsScalable JavaScript Design Patterns
Scalable JavaScript Design PatternsAddy Osmani
 
Advanced Javascript
Advanced JavascriptAdvanced Javascript
Advanced JavascriptAdieu
 
Advanced JavaScript
Advanced JavaScriptAdvanced JavaScript
Advanced JavaScriptFu Cheng
 
Android Architecture Components with Kotlin
Android Architecture Components with KotlinAndroid Architecture Components with Kotlin
Android Architecture Components with KotlinAdit Lal
 
eMan Dev Meetup: Kotlin - A Language we should know it exists (part 02/03) 18...
eMan Dev Meetup: Kotlin - A Language we should know it exists (part 02/03) 18...eMan Dev Meetup: Kotlin - A Language we should know it exists (part 02/03) 18...
eMan Dev Meetup: Kotlin - A Language we should know it exists (part 02/03) 18...eMan s.r.o.
 
Advanced Object-Oriented JavaScript
Advanced Object-Oriented JavaScriptAdvanced Object-Oriented JavaScript
Advanced Object-Oriented JavaScriptecker
 
Introduction to kotlin + spring boot demo
Introduction to kotlin + spring boot demoIntroduction to kotlin + spring boot demo
Introduction to kotlin + spring boot demoMuhammad Abdullah
 
Advanced JavaScript
Advanced JavaScriptAdvanced JavaScript
Advanced JavaScriptNascenia IT
 
Functional Principles for OO Developers
Functional Principles for OO DevelopersFunctional Principles for OO Developers
Functional Principles for OO Developersjessitron
 
Object Oriented JavaScript
Object Oriented JavaScriptObject Oriented JavaScript
Object Oriented JavaScriptMichael Girouard
 

Was ist angesagt? (20)

JavaScript Core
JavaScript CoreJavaScript Core
JavaScript Core
 
Proxies are Awesome!
Proxies are Awesome!Proxies are Awesome!
Proxies are Awesome!
 
ADG Poznań - Kotlin for Android developers
ADG Poznań - Kotlin for Android developersADG Poznań - Kotlin for Android developers
ADG Poznań - Kotlin for Android developers
 
Practical tips for building apps with kotlin
Practical tips for building apps with kotlinPractical tips for building apps with kotlin
Practical tips for building apps with kotlin
 
Save time with kotlin in android development
Save time with kotlin in android developmentSave time with kotlin in android development
Save time with kotlin in android development
 
Kotlin for Android devs
Kotlin for Android devsKotlin for Android devs
Kotlin for Android devs
 
Connect.Tech- Swift Memory Management
Connect.Tech- Swift Memory ManagementConnect.Tech- Swift Memory Management
Connect.Tech- Swift Memory Management
 
Let's JavaScript
Let's JavaScriptLet's JavaScript
Let's JavaScript
 
Scalable JavaScript Design Patterns
Scalable JavaScript Design PatternsScalable JavaScript Design Patterns
Scalable JavaScript Design Patterns
 
Angular2
Angular2Angular2
Angular2
 
Advanced Javascript
Advanced JavascriptAdvanced Javascript
Advanced Javascript
 
Oojs 1.1
Oojs 1.1Oojs 1.1
Oojs 1.1
 
Advanced JavaScript
Advanced JavaScriptAdvanced JavaScript
Advanced JavaScript
 
Android Architecture Components with Kotlin
Android Architecture Components with KotlinAndroid Architecture Components with Kotlin
Android Architecture Components with Kotlin
 
eMan Dev Meetup: Kotlin - A Language we should know it exists (part 02/03) 18...
eMan Dev Meetup: Kotlin - A Language we should know it exists (part 02/03) 18...eMan Dev Meetup: Kotlin - A Language we should know it exists (part 02/03) 18...
eMan Dev Meetup: Kotlin - A Language we should know it exists (part 02/03) 18...
 
Advanced Object-Oriented JavaScript
Advanced Object-Oriented JavaScriptAdvanced Object-Oriented JavaScript
Advanced Object-Oriented JavaScript
 
Introduction to kotlin + spring boot demo
Introduction to kotlin + spring boot demoIntroduction to kotlin + spring boot demo
Introduction to kotlin + spring boot demo
 
Advanced JavaScript
Advanced JavaScriptAdvanced JavaScript
Advanced JavaScript
 
Functional Principles for OO Developers
Functional Principles for OO DevelopersFunctional Principles for OO Developers
Functional Principles for OO Developers
 
Object Oriented JavaScript
Object Oriented JavaScriptObject Oriented JavaScript
Object Oriented JavaScript
 

Ähnlich wie From object oriented to functional domain modeling

Laziness, trampolines, monoids and other functional amenities: this is not yo...
Laziness, trampolines, monoids and other functional amenities: this is not yo...Laziness, trampolines, monoids and other functional amenities: this is not yo...
Laziness, trampolines, monoids and other functional amenities: this is not yo...Mario Fusco
 
Pragmatic functional refactoring with java 8
Pragmatic functional refactoring with java 8Pragmatic functional refactoring with java 8
Pragmatic functional refactoring with java 8RichardWarburton
 
Generalized Functors - Realizing Command Design Pattern in C++
Generalized Functors - Realizing Command Design Pattern in C++Generalized Functors - Realizing Command Design Pattern in C++
Generalized Functors - Realizing Command Design Pattern in C++ppd1961
 
Pragmatic functional refactoring with java 8 (1)
Pragmatic functional refactoring with java 8 (1)Pragmatic functional refactoring with java 8 (1)
Pragmatic functional refactoring with java 8 (1)RichardWarburton
 
Functional Programming with Javascript
Functional Programming with JavascriptFunctional Programming with Javascript
Functional Programming with JavascriptDeepankar Chopra
 
power point presentation on object oriented programming functions concepts
power point presentation on object oriented programming functions conceptspower point presentation on object oriented programming functions concepts
power point presentation on object oriented programming functions conceptsbhargavi804095
 
L2 Web App Development Guest Lecture At University of Surrey 20/11/09
L2 Web App Development Guest Lecture At University of Surrey 20/11/09L2 Web App Development Guest Lecture At University of Surrey 20/11/09
L2 Web App Development Guest Lecture At University of Surrey 20/11/09Daniel Bryant
 
CH.4FUNCTIONS IN C_FYBSC(CS).pptx
CH.4FUNCTIONS IN C_FYBSC(CS).pptxCH.4FUNCTIONS IN C_FYBSC(CS).pptx
CH.4FUNCTIONS IN C_FYBSC(CS).pptxSangeetaBorde3
 

Ähnlich wie From object oriented to functional domain modeling (20)

Functional programming 101
Functional programming 101Functional programming 101
Functional programming 101
 
Laziness, trampolines, monoids and other functional amenities: this is not yo...
Laziness, trampolines, monoids and other functional amenities: this is not yo...Laziness, trampolines, monoids and other functional amenities: this is not yo...
Laziness, trampolines, monoids and other functional amenities: this is not yo...
 
Pragmatic functional refactoring with java 8
Pragmatic functional refactoring with java 8Pragmatic functional refactoring with java 8
Pragmatic functional refactoring with java 8
 
Generalized Functors - Realizing Command Design Pattern in C++
Generalized Functors - Realizing Command Design Pattern in C++Generalized Functors - Realizing Command Design Pattern in C++
Generalized Functors - Realizing Command Design Pattern in C++
 
Pragmatic functional refactoring with java 8 (1)
Pragmatic functional refactoring with java 8 (1)Pragmatic functional refactoring with java 8 (1)
Pragmatic functional refactoring with java 8 (1)
 
Refactoring
RefactoringRefactoring
Refactoring
 
Functional Programming with Javascript
Functional Programming with JavascriptFunctional Programming with Javascript
Functional Programming with Javascript
 
Function
Function Function
Function
 
C++ Functions.ppt
C++ Functions.pptC++ Functions.ppt
C++ Functions.ppt
 
power point presentation on object oriented programming functions concepts
power point presentation on object oriented programming functions conceptspower point presentation on object oriented programming functions concepts
power point presentation on object oriented programming functions concepts
 
Refactoring
RefactoringRefactoring
Refactoring
 
L2 Web App Development Guest Lecture At University of Surrey 20/11/09
L2 Web App Development Guest Lecture At University of Surrey 20/11/09L2 Web App Development Guest Lecture At University of Surrey 20/11/09
L2 Web App Development Guest Lecture At University of Surrey 20/11/09
 
Unit-III.pptx
Unit-III.pptxUnit-III.pptx
Unit-III.pptx
 
Function C++
Function C++ Function C++
Function C++
 
Gwt and Xtend
Gwt and XtendGwt and Xtend
Gwt and Xtend
 
Functionincprogram
FunctionincprogramFunctionincprogram
Functionincprogram
 
functions
functionsfunctions
functions
 
function_v1.ppt
function_v1.pptfunction_v1.ppt
function_v1.ppt
 
function_v1.ppt
function_v1.pptfunction_v1.ppt
function_v1.ppt
 
CH.4FUNCTIONS IN C_FYBSC(CS).pptx
CH.4FUNCTIONS IN C_FYBSC(CS).pptxCH.4FUNCTIONS IN C_FYBSC(CS).pptx
CH.4FUNCTIONS IN C_FYBSC(CS).pptx
 

Mehr von Codemotion

Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...
Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...
Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...Codemotion
 
Pompili - From hero to_zero: The FatalNoise neverending story
Pompili - From hero to_zero: The FatalNoise neverending storyPompili - From hero to_zero: The FatalNoise neverending story
Pompili - From hero to_zero: The FatalNoise neverending storyCodemotion
 
Pastore - Commodore 65 - La storia
Pastore - Commodore 65 - La storiaPastore - Commodore 65 - La storia
Pastore - Commodore 65 - La storiaCodemotion
 
Pennisi - Essere Richard Altwasser
Pennisi - Essere Richard AltwasserPennisi - Essere Richard Altwasser
Pennisi - Essere Richard AltwasserCodemotion
 
Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...
Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...
Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...Codemotion
 
Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019
Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019
Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019Codemotion
 
Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019
Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019
Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019Codemotion
 
Francesco Baldassarri - Deliver Data at Scale - Codemotion Amsterdam 2019 -
Francesco Baldassarri  - Deliver Data at Scale - Codemotion Amsterdam 2019 - Francesco Baldassarri  - Deliver Data at Scale - Codemotion Amsterdam 2019 -
Francesco Baldassarri - Deliver Data at Scale - Codemotion Amsterdam 2019 - Codemotion
 
Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...
Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...
Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...Codemotion
 
Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...
Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...
Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...Codemotion
 
Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...
Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...
Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...Codemotion
 
Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...
Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...
Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...Codemotion
 
Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019
Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019
Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019Codemotion
 
Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019
Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019
Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019Codemotion
 
Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019
Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019
Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019Codemotion
 
James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...
James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...
James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...Codemotion
 
Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...
Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...
Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...Codemotion
 
Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019
Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019
Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019Codemotion
 
Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019
Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019
Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019Codemotion
 
Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019
Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019
Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019Codemotion
 

Mehr von Codemotion (20)

Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...
Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...
Fuzz-testing: A hacker's approach to making your code more secure | Pascal Ze...
 
Pompili - From hero to_zero: The FatalNoise neverending story
Pompili - From hero to_zero: The FatalNoise neverending storyPompili - From hero to_zero: The FatalNoise neverending story
Pompili - From hero to_zero: The FatalNoise neverending story
 
Pastore - Commodore 65 - La storia
Pastore - Commodore 65 - La storiaPastore - Commodore 65 - La storia
Pastore - Commodore 65 - La storia
 
Pennisi - Essere Richard Altwasser
Pennisi - Essere Richard AltwasserPennisi - Essere Richard Altwasser
Pennisi - Essere Richard Altwasser
 
Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...
Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...
Michel Schudel - Let's build a blockchain... in 40 minutes! - Codemotion Amst...
 
Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019
Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019
Richard Süselbeck - Building your own ride share app - Codemotion Amsterdam 2019
 
Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019
Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019
Eward Driehuis - What we learned from 20.000 attacks - Codemotion Amsterdam 2019
 
Francesco Baldassarri - Deliver Data at Scale - Codemotion Amsterdam 2019 -
Francesco Baldassarri  - Deliver Data at Scale - Codemotion Amsterdam 2019 - Francesco Baldassarri  - Deliver Data at Scale - Codemotion Amsterdam 2019 -
Francesco Baldassarri - Deliver Data at Scale - Codemotion Amsterdam 2019 -
 
Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...
Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...
Martin Förtsch, Thomas Endres - Stereoscopic Style Transfer AI - Codemotion A...
 
Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...
Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...
Melanie Rieback, Klaus Kursawe - Blockchain Security: Melting the "Silver Bul...
 
Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...
Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...
Angelo van der Sijpt - How well do you know your network stack? - Codemotion ...
 
Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...
Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...
Lars Wolff - Performance Testing for DevOps in the Cloud - Codemotion Amsterd...
 
Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019
Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019
Sascha Wolter - Conversational AI Demystified - Codemotion Amsterdam 2019
 
Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019
Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019
Michele Tonutti - Scaling is caring - Codemotion Amsterdam 2019
 
Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019
Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019
Pat Hermens - From 100 to 1,000+ deployments a day - Codemotion Amsterdam 2019
 
James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...
James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...
James Birnie - Using Many Worlds of Compute Power with Quantum - Codemotion A...
 
Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...
Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...
Don Goodman-Wilson - Chinese food, motor scooters, and open source developmen...
 
Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019
Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019
Pieter Omvlee - The story behind Sketch - Codemotion Amsterdam 2019
 
Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019
Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019
Dave Farley - Taking Back “Software Engineering” - Codemotion Amsterdam 2019
 
Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019
Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019
Joshua Hoffman - Should the CTO be Coding? - Codemotion Amsterdam 2019
 

Kürzlich hochgeladen

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 ...OnePlan Solutions
 
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...panagenda
 
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AISyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AIABDERRAOUF MEHENNI
 
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...Steffen Staab
 
why an Opensea Clone Script might be your perfect match.pdf
why an Opensea Clone Script might be your perfect match.pdfwhy an Opensea Clone Script might be your perfect match.pdf
why an Opensea Clone Script might be your perfect match.pdfjoe51371421
 
DNT_Corporate presentation know about us
DNT_Corporate presentation know about usDNT_Corporate presentation know about us
DNT_Corporate presentation know about usDynamic Netsoft
 
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...ICS
 
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...MyIntelliSource, Inc.
 
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 PrecisionSolGuruz
 
HR Software Buyers Guide in 2024 - HRSoftware.com
HR Software Buyers Guide in 2024 - HRSoftware.comHR Software Buyers Guide in 2024 - HRSoftware.com
HR Software Buyers Guide in 2024 - HRSoftware.comFatema Valibhai
 
Software Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsSoftware Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsArshad QA
 
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 ApplicationsAlberto González Trastoy
 
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...MyIntelliSource, Inc.
 
Hand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxHand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxbodapatigopi8531
 
Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...OnePlan Solutions
 
Test Automation Strategy for Frontend and Backend
Test Automation Strategy for Frontend and BackendTest Automation Strategy for Frontend and Backend
Test Automation Strategy for Frontend and BackendArshad QA
 
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...kellynguyen01
 

Kürzlich hochgeladen (20)

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 ...
 
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
 
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AISyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
 
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
 
why an Opensea Clone Script might be your perfect match.pdf
why an Opensea Clone Script might be your perfect match.pdfwhy an Opensea Clone Script might be your perfect match.pdf
why an Opensea Clone Script might be your perfect match.pdf
 
DNT_Corporate presentation know about us
DNT_Corporate presentation know about usDNT_Corporate presentation know about us
DNT_Corporate presentation know about us
 
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
 
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
 
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
 
Microsoft AI Transformation Partner Playbook.pdf
Microsoft AI Transformation Partner Playbook.pdfMicrosoft AI Transformation Partner Playbook.pdf
Microsoft AI Transformation Partner Playbook.pdf
 
Exploring iOS App Development: Simplifying the Process
Exploring iOS App Development: Simplifying the ProcessExploring iOS App Development: Simplifying the Process
Exploring iOS App Development: Simplifying the Process
 
HR Software Buyers Guide in 2024 - HRSoftware.com
HR Software Buyers Guide in 2024 - HRSoftware.comHR Software Buyers Guide in 2024 - HRSoftware.com
HR Software Buyers Guide in 2024 - HRSoftware.com
 
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
 
Software Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsSoftware Quality Assurance Interview Questions
Software Quality Assurance Interview Questions
 
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
 
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
 
Hand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxHand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptx
 
Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...Advancing Engineering with AI through the Next Generation of Strategic Projec...
Advancing Engineering with AI through the Next Generation of Strategic Projec...
 
Test Automation Strategy for Frontend and Backend
Test Automation Strategy for Frontend and BackendTest Automation Strategy for Frontend and Backend
Test Automation Strategy for Frontend and Backend
 
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
Short Story: Unveiling the Reasoning Abilities of Large Language Models by Ke...
 

From object oriented to functional domain modeling

  • 1. by Mario Fusco mario.fusco@gmail.com @mariofusco From object oriented to functional domain modeling
  • 2. Reassigning a variable Modifying a data structure in place Setting a field on an object Throwing an exception or halting with an error Printing to the console Reading user input Reading from or writing to a file Drawing on the screen A program created using only pure functions What is a functional program? No (observable) side effects allowed like: Functional programming is a restriction on how we write programs, but not on what they can do } } avoidable deferrable
  • 3. OOP makes code understandable by encapsulating moving parts FP makes code understandable by minimizing moving parts - Michael Feathers OOP vs FP
  • 4. Why Immutability? ➢ Immutable objects are often easier to use. Compare java.util.Calendar (mutable) with java.time.LocalDate (immutable) ➢ Implementing an immutable object is often easier, as there is less that can go wrong ➢ Immutable objects reduce the number of possible interactions between different parts of the program ➢ Immutable objects can be safely shared between multiple threads
  • 5. A quick premise It is not only black or white ... Object Oriented Programming Functional Programming
  • 6. A quick premise It is not only black or white ... … there are (at least) 50 shades of gray in the middle Object Oriented Programming Functional Programming
  • 7. The OOP/FP dualism - OOP public class Bird { } public class Cat { private Bird catch; private boolean full; public void capture(Bird bird) { catch = bird; } public void eat() { full = true; catch = null; } } Cat cat = new Cat(); Bird bird = new Bird(); cat.capture(bird); cat.eat(); The story
  • 8. The OOP/FP dualism - FP public class Bird { } public class Cat { public CatWithCatch capture(Bird bird) { return new CatWithCatch(bird); } } public class CatWithCatch { private final Bird catch; public CatWithCatch(Bird bird) { catch = bird; } public FullCat eat() { return new FullCat(); } } public class FullCat { } BiFunction<Cat, Bird, FullCat> story = ((BiFunction<Cat, Bird, CatWithCatch>)Cat::capture) .andThen(CatWithCatch::eat); FullCat fullCat = story.apply( new Cat(), new Bird() ); Immutability Emphasis on verbs instead of names No need to test internal state: correctness enforced by the compiler More expressive use of type system
  • 9. From Object to Function centric BiFunction<Cat, Bird, CatWithCatch> capture = (cat, bird) -> cat.capture(bird); Function<CatWithCatch, FullCat> eat = CatWithCatch::eat; BiFunction<Cat, Bird, FullCat> story = capture.andThen(eat); Functions compose better than objects
  • 10. A composable functional API public class API { public static Cart buy(List<Item> items) { ... } public static Order order(Cart cart) { ... } public static Delivery deliver(Order order) { ... } } Function<Delivery, List<Item>> oneClickBuy = ((Function<Cart, List<Item>>) API::buy) .andThen(API::order) .andThen(API::deliver); Delivery d = oneClickBuy.apply(asList(book, watch, phone));
  • 11. public static <T> void sort(List<T> list, Comparator<? super T> c) Essence of Functional Programming Data and behaviors are the same thing! Data Behaviors Collections.sort(persons, (p1, p2) -> p1.getAge() – p2.getAge())
  • 12. Higher-order functions Are they so mind-blowing? … but one of the most influent sw engineering book is almost completely dedicated to them
  • 13. Command Template Method Functions are more general and higher level abstractions Factory Strategy
  • 14. public interface Converter { double convert(double value); } A strategy pattern Converter public abstract class AbstractConverter implements Converter { public double convert(double value) { return value * getConversionRate(); } public abstract double getConversionRate(); } public class Mi2KmConverter extends AbstractConverter { public double getConversionRate() { return 1.609; } } public class Ou2GrConverter extends AbstractConverter { public double getConversionRate() { return 28.345; } }
  • 15. public List<Double> convertValues(List<Double> values, Converter converter) { List<Double> convertedValues = new ArrayList<Double>(); for (double value : values) { convertedValues.add(converter.convert(value)); } return convertedValues; } Using the Converter List<Double> values = Arrays.asList(10, 20, 50); List<Double> convertedDistances = convertValues(values, new Mi2KmConverter()); List<Double> convertedWeights = convertValues(values, new Ou2GrConverter());
  • 16. A functional Converter public class Converter implements ExtendedBiFunction<Double, Double, Double> { @Override public Double apply(Double conversionRate, Double value) { return conversionRate * value; } } @FunctionalInterface public interface ExtendedBiFunction<T, U, R> extends BiFunction<T, U, R> { default Function<U, R> curry1(T t) { return u -> apply(t, u); } default Function<T, R> curry2(U u) { return t -> apply(t, u); } }
  • 17. Currying Converter converter = new Converter(); double tenMilesInKm = converter.apply(1.609, 10.0); Function<Double, Double> mi2kmConverter = converter.curry1(1.609); double tenMilesInKm = mi2kmConverter.apply(10.0); Converter value rate result Mi2km Convertervalue rate=1.609 result curry1 List<Double> values = Stream.of(10, 20, 50) .map(mi2kmConverter) .collect(toList())
  • 18. Function Composition Celsius → Fahrenheit : F = C * 9/5 + 32 Converter value rate=9/5 andThen n -> n+32 result Celsius2FarenheitConverter Function<Double, Double> c2fConverter = new Converter().curry1(9.0/5) .andThen(n -> n + 32);
  • 19. More Function Composition @FunctionalInterface public interface ExtendedBiFunction<T, U, R> extends BiFunction<T, U, R> { default <V> ExtendedBiFunction<V, U, R> compose1(Function<? super V, ? extends T> before) { return (v, u) -> apply(before.apply(v), u); } default <V> ExtendedBiFunction<T, V, R> compose2(Function<? super V, ? extends U> before) { return (t, v) -> apply(t, before.apply(v)); } } default <V> Function<V, R> compose(Function<? super V, ? extends T> before) { return (V v) -> apply(before.apply(v)); }
  • 20. More Function Composition Fahrenheit → Celsius : C = (F - 32) * 5/9 Converter rate=5/9 value n -> n-32 result Farenheit2CelsiusConverter Function<Double, Double> f2cConverter = new Converter().compose2((Double n) -> n - 32) .curry1(5.0/9); Functions are building blocks to create other functions compose2
  • 21. public class SalaryCalculator { public double plusAllowance(double d) { return d * 1.2; } public double plusBonus(double d) { return d * 1.1; } public double plusTax(double d) { return d * 0.7; } public double plusSurcharge(double d) { return d * 0.9; } public double calculate(double basic, boolean... bs) { double salary = basic; if (bs[0]) salary = plusAllowance(salary); if (bs[1]) salary = plusBonus(salary); if (bs[2]) salary = plusTax(salary); if (bs[3]) salary = plusSurcharge(salary); return salary; } } A Salary Calculator
  • 22. double basicBobSalary = ...; double netBobSalary = new SalaryCalculator().calculate( basicBobSalary, false, // allowance true, // bonus true, // tax false // surcharge ); Using the Salary Calculator How can I remember the right sequence?
  • 23. public class SalaryCalculatorBuilder extends SalaryCalculator { private boolean hasAllowance; private boolean hasBonus; private boolean hasTax; private boolean hasSurcharge; public SalaryCalculatorFactory withAllowance() { hasAllowance = true; return this; } // ... more withX() methods public double calculate(double basic) { return calculate( basic, hasAllowance, hasBonus, hasTax, hasSurcharge ); } } A Salary Calculator Builder
  • 24. double basicBobSalary = ...; double netBobSalary = new SalaryCalculatorBuilder() .withBonus() .withTax() .calculate( basicBobSalary ); Using the Salary Calculator Factory Better, but what if I have to add another function?
  • 25. public final class SalaryRules { private SalaryRules() { } public static double allowance(double d) { return d * 1.2; } public static double bonus(double d) { return d * 1.1; } public static double tax(double d) { return d * 0.7; } public static double surcharge(double d) { return d * 0.9; } } Isolating Salary Rules
  • 26. public class SalaryCalculator { private final List<Function<Double, Double>> fs = new ArrayList<>(); public SalaryCalculator with(Function<Double, Double> f) { fs.add(f); return this; } public double calculate(double basic) { return fs.stream() .reduce( Function.identity(), Function::andThen ) .apply( basic ); } } A Functional Salary Calculator
  • 27. double basicBobSalary = ...; double netBobSalary = new SalaryCalculator() .with( SalaryRules::bonus ) .with( SalaryRules::tax ) .calculate( basicBobSalary ); Using the Functional Salary Calculator ➢ No need of any special builder to improve readability
  • 28. double basicBobSalary = ...; double netBobSalary = new SalaryCalculator() .with( SalaryRules::bonus ) .with( SalaryRules::tax ) .with( s -> s * 0.95 ) // regional tax .calculate( basicBobSalary ); Using the Functional Salary Calculator ➢ No need of any special builder to improve readability ➢ Extensibility comes for free
  • 29. public class SalaryCalculator { private final Function<Double, Double> calc; public SalaryCalculator() { this( Function::identity() ); } private SalaryCalculator(Function<Double, Double> calc) { this.calc = calc; } public SalaryCalculator with(Function<Double, Double> f) { return new SalaryCalculator( calc.andThen(f) ); } public double calculate(double basic) { return calc.apply( basic ); } } A (better) Functional Salary Calculator
  • 30. JΛVΛSLΛNG A functional Library for Java 8 Immutable Collections Pattern Matching Failure Handling Tuple3<Person, Account, Building> final A result = Try.of(() -> bunchOfWork()) .recover(x -> Match .caze((Exception_1 e) -> ...) .caze((Exception_2 e) -> ...) .caze((Exception_n e) -> ...) .apply(x)) .orElse(other);
  • 31. Let's have a coffee break ... public class Cafe { public Coffee buyCoffee(CreditCard cc) { Coffee cup = new Coffee(); cc.charge( cup.getPrice() ); return cup; } public List<Coffee> buyCoffees(CreditCard cc, int n) { return Stream.generate( () -> buyCoffee( cc ) ) .limit( n ) .collect( toList() ); } } Side-effect How can we test this without contacting the bank or using a mock? How can reuse that method to buy more coffees without charging the card multiple times?
  • 32. … but please a side-effect free one import javaslang.Tuple2; import javaslang.collection.Stream; public class Cafe { public Tuple2<Coffee, Charge> buyCoffee(CreditCard cc) { Coffee cup = new Coffee(); return new Tuple2<>(cup, new Charge(cc, cup.getPrice())); } public Tuple2<List<Coffee>, Charge> buyCoffees(CreditCard cc, int n) { Tuple2<Stream<Coffee>, Stream<Charge>> purchases = Stream.gen( () -> buyCoffee( cc ) ) .subsequence( 0, n ) .unzip( identity() ); return new Tuple2<>( purchases._1.toJavaList(), purchases._2.foldLeft( new Charge( cc, 0 ), Charge::add) ); } } public Charge add(Charge other) { if (cc == other.cc) return new Charge(cc, amount + other.amount); else throw new RuntimeException( "Can't combine charges to different cards");
  • 33. Error handling with Exceptions? ➢ Often abused, especially for flow control ➢ Checked Exceptions harm API extensibility/modificability ➢ They also plays very badly with lambdas syntax ➢ Not composable: in presence of multiple errors only the first one is reported ➢ In the end just a GLORIFIED MULTILEVEL GOTO
  • 34. Error handling The functional alternatives Either<Exception, Value> ➢ The functional way of returning a value which can actually be one of two values: the error/exception (Left) or the correct value (Right) Validation<List<Exception>, Value> ➢ Composable: can accumulate multiple errors Try<Value> ➢ Signal that the required computation may eventually fail
  • 35. A OOP BankAccount ... public class Balance { final BigDecimal amount; public Balance( BigDecimal amount ) { this.amount = amount; } } public class Account { private final String owner; private final String number; private Balance balance = new Balance(BigDecimal.ZERO); public Account( String owner, String number ) { this.owner = owner; this.number = number; } public void credit(BigDecimal value) { balance = new Balance( balance.amount.add( value ) ); } public void debit(BigDecimal value) throws InsufficientBalanceException { if (balance.amount.compareTo( value ) < 0) throw new InsufficientBalanceException(); Mutability Error handling using Exception
  • 36. … and how we can use it Account a = new Account("Alice", "123"); Account b = new Account("Bob", "456"); Account c = new Account("Charlie", "789"); List<Account> unpaid = new ArrayList<>(); for (Account account : Arrays.asList(a, b, c)) { try { account.debit( new BigDecimal( 100.00 ) ); } catch (InsufficientBalanceException e) { unpaid.add(account); } } List<Account> unpaid = new ArrayList<>(); Stream.of(a, b, c).forEach( account -> { try { account.debit( new BigDecimal( 100.00 ) ); } catch (InsufficientBalanceException e) { unpaid.add(account); } } ); Mutation of enclosing scope Cannot use a parallel Stream Ugly syntax
  • 37. Error handling with Try monad public interface Try<A> { <B> Try<B> map(Function<A, B> f); <B> Try<B> flatMap(Function<A, Try<B>> f); boolean isFailure(); } public Success<A> implements Try<A> { private final A value; public Success(A value) { this.value = value; } public boolean isFailure() { return false; } public <B> Try<B> map(Function<A, B> f) { return new Success<>(f.apply(value)); } public <B> Try<B> flatMap(Function<A, Try<B>> f) { return f.apply(value); } } public Failure<A> implements Try<T> { private final Object error; public Failure(Object error) { this.error = error; } public boolean isFailure() { return false; } public <B> Try<B> map(Function<A, B> f) { return (Failure<B>)this; } map defines monad's policy for function application flatMap defines monad's policy for monads composition
  • 38. A functional BankAccount ... public class Account { private final String owner; private final String number; private final Balance balance; public Account( String owner, String number, Balance balance ) { this.owner = owner; this.number = number; this.balance = balance; } public Account credit(BigDecimal value) { return new Account( owner, number, new Balance( balance.amount.add( value ) ) ); } public Try<Account> debit(BigDecimal value) { if (balance.amount.compareTo( value ) < 0) return new Failure<>( new InsufficientBalanceError() ); return new Success<>( new Account( owner, number, new Balance( balance.amount.subtract( value ) ) ) ); Immutable Error handling without Exceptions
  • 39. … and how we can use it Account a = new Account("Alice", "123"); Account b = new Account("Bob", "456"); Account c = new Account("Charlie", "789"); List<Account> unpaid = Stream.of( a, b, c ) .map( account -> new Tuple2<>( account, account.debit( new BigDecimal( 100.00 ) ) ) ) .filter( t -> t._2.isFailure() ) .map( t -> t._1 ) .collect( toList() ); List<Account> unpaid = Stream.of( a, b, c ) .filter( account -> account.debit( new BigDecimal( 100.00 ) ) .isFailure() ) .collect( toList() );
  • 40. From Methods to Functions public class BankService { public static Try<Account> open(String owner, String number, BigDecimal balance) { if (initialBalance.compareTo( BigDecimal.ZERO ) < 0) return new Failure<>( new InsufficientBalanceError() ); return new Success<>( new Account( owner, number, new Balance( balance ) ) ); } public static Account credit(Account account, BigDecimal value) { return new Account( account.owner, account.number, new Balance( account.balance.amount.add( value ) ) ); } public static Try<Account> debit(Account account, BigDecimal value) { if (account.balance.amount.compareTo( value ) < 0) return new Failure<>( new InsufficientBalanceError() ); return new Success<>( new Account( account.owner, account.number, new Balance( account.balance.amount.subtract( value ) ) ) ); }
  • 41. Decoupling state and behavior import static BankService.* Try<Account> account = open( "Alice", "123", new BigDecimal( 100.00 ) ) .map( acc -> credit( acc, new BigDecimal( 200.00 ) ) ) .map( acc -> credit( acc, new BigDecimal( 300.00 ) ) ) .flatMap( acc -> debit( acc, new BigDecimal( 400.00 ) ) ); The object-oriented paradigm couples state and behavior Functional programming decouples them
  • 42. … but I need a BankConnection! What about dependency injection?
  • 43. A naïve solution public class BankService { public static Try<Account> open(String owner, String number, BigDecimal balance, BankConnection bankConnection) { ... } public static Account credit(Account account, BigDecimal value, BankConnection bankConnection) { ... } public static Try<Account> debit(Account account, BigDecimal value, BankConnection bankConnection) { ... } } BankConnection bconn = new BankConnection(); Try<Account> account = open( "Alice", "123", new BigDecimal( 100.00 ), bconn ) .map( acc -> credit( acc, new BigDecimal( 200.00 ), bconn ) ) .map( acc -> credit( acc, new BigDecimal( 300.00 ), bconn ) ) .flatMap( acc -> debit( acc, new BigDecimal( 400.00 ), bconn ) ); Necessary to create the BankConnection in advance ... … and pass it to all methods
  • 44. Making it lazy public class BankService { public static Function<BankConnection, Try<Account>> open(String owner, String number, BigDecimal balance) { return (BankConnection bankConnection) -> ... } public static Function<BankConnection, Account> credit(Account account, BigDecimal value) { return (BankConnection bankConnection) -> ... } public static Function<BankConnection, Try<Account>> debit(Account account, BigDecimal value) { return (BankConnection bankConnection) -> ... } }Function<BankConnection, Try<Account>> f = (BankConnection conn) -> open( "Alice", "123", new BigDecimal( 100.00 ) ) .apply( conn ) .map( acc -> credit( acc, new BigDecimal( 200.00 ) ).apply( conn ) ) .map( acc -> credit( acc, new BigDecimal( 300.00 ) ).apply( conn ) ) .flatMap( acc -> debit( acc, new BigDecimal( 400.00 ) ).apply( conn ) );
  • 45. open Ctx -> S1 S1 A, B credit Ctx S2 C, D result open S1 A, B, Ctx injection credit C, D, Ctx, S1 resultS2 Pure OOP implementation Static Methods open A, B apply(Ctx) S1 Ctx -> S2 apply(Ctx) S2 C, D Lazy evaluation Ctx credit result
  • 46. Introducing the Reader monad ... public class Reader<R, A> { private final Function<R, A> run; public Reader( Function<R, A> run ) { this.run = run; } public <B> Reader<R, B> map(Function<A, B> f) { ... } public <B> Reader<R, B> flatMap(Function<A, Reader<R, B>> f) { ... } public A apply(R r) { return run.apply( r ); } } The reader monad provides an environment to wrap an abstract computation without evaluating
  • 47. Introducing the Reader monad ... public class Reader<R, A> { private final Function<R, A> run; public Reader( Function<R, A> run ) { this.run = run; } public <B> Reader<R, B> map(Function<A, B> f) { return new Reader<>((R r) -> f.apply( apply( r ) )); } public <B> Reader<R, B> flatMap(Function<A, Reader<R, B>> f) { return new Reader<>((R r) -> f.apply( apply( r ) ).apply( r )); } public A apply(R r) { return run.apply( r ); } } The reader monad provides an environment to wrap an abstract computation without evaluating
  • 48. … and combining it with Try public class TryReader<R, A> { private final Function<R, Try<A>> run; public TryReader( Function<R, Try<A>> run ) { this.run = run; } public <B> TryReader<R, B> map(Function<A, B> f) { ... } public <B> TryReader<R, B> mapReader(Function<A, Reader<R, B>> f) { ... } public <B> TryReader<R, B> flatMap(Function<A, TryReader<R, B>> f) { ... } public Try<A> apply(R r) {
  • 49. … and combining it with Try public class TryReader<R, A> { private final Function<R, Try<A>> run; public TryReader( Function<R, Try<A>> run ) { this.run = run; } public <B> TryReader<R, B> map(Function<A, B> f) { return new TryReader<R, B>((R r) -> apply( r ) .map( a -> f.apply( a ) )); } public <B> TryReader<R, B> mapReader(Function<A, Reader<R, B>> f) { return new TryReader<R, B>((R r) -> apply( r ) .map( a -> f.apply( a ).apply( r ) )); } public <B> TryReader<R, B> flatMap(Function<A, TryReader<R, B>> f) { return new TryReader<R, B>((R r) -> apply( r ) .flatMap( a -> f.apply( a ).apply( r ) )); } public Try<A> apply(R r) {
  • 50. A more user-friendly API public class BankService { public static TryReader<BankConnection, Account> open(String owner, String number, BigDecimal balance) { return new TryReader<>( (BankConnection bankConnection) -> ... ) } public static Reader<BankConnection, Account> credit(Account account, BigDecimal value) { return new Reader<>( (BankConnection bankConnection) -> ... ) } public static TryReader<BankConnection, Account> debit(Account account, BigDecimal value) { return new TryReader<>( (BankConnection bankConnection) -> ... ) } } TryReader<BankConnection, Account> reader = open( "Alice", "123", new BigDecimal( 100.00 ) ) .mapReader( acc -> credit( acc, new BigDecimal( 200.00 ) ) ) .mapReader( acc -> credit( acc, new BigDecimal( 300.00 ) ) ) .flatMap( acc -> debit( acc, new BigDecimal( 400.00 ) ) ); Try<Account> account = reader.apply( new BankConnection() );
  • 51. open Ctx -> S1 S1 A, B credit Ctx S2 C, D result open S1 A, B, Ctx injection credit C, D, Ctx, S1 resultS2 Pure OOP implementation Static Methods open A, B apply(Ctx) S1 Ctx -> S2 apply(Ctx) S2 C, D Lazy evaluation Ctx credit Reader monad result Ctx -> S1 A, B C, D map(credit) Ctx -> result apply(Ctx) open Ctx -> S2
  • 52. Wrap up Toward a functional domain model
  • 53. API design is an iterative process
  • 54. Strive for immutability private final Object obj;
  • 56. Avoid using exceptions for error handling
  • 57. Say it with types Tuple3< Function< BankConnection, Try<Account> >, Optional<Address>, Future< List<Withdrawal> > >
  • 59. Put domain logic in pure functions
  • 60. FP allows better Reusability & Composability OOP FP =
  • 62. … and learn some functional patterns
  • 64. Mario Fusco Red Hat – Senior Software Engineer mario.fusco@gmail.com twitter: @mariofusco Q A Thanks … Questions?