Core Java

Difference between Function.andThen and Function.compose

here are two different ways to mix functions in Java:

  • using andThen
  • using compose

It is important to understand the difference between the two.

andThenfunction1.andThen(function2) will first apply function1 to the input and the result of this will be passed to the function2.

composefunction1.compose(function2) will first apply the input to the function2 and the result of this will be passed to the function1

When they are used for operations that are not commutative then you will end up with totally different results.

You can see that in the example below:

Function<Double, Double> half = (a) -> a / 2;
Function<Double, Double> twice = (a) -> a * a;
 
Function<Double, Double> squareAndThenCube = half.andThen(twice);
Double result = squareAndThenCube.apply(3d);
System.out.println(result);
 
Function<Double, Double> squareComposeCube = half.compose(twice);
result = squareComposeCube.apply(3d);
System.out.println(result);

The output for the above will be:

Output
Published on Java Code Geeks with permission by Mohamed Sanaulla, partner at our JCG program. See the original article here: Difference between Function.andThen and Function.compose

 

Opinions expressed by Java Code Geeks contributors are their own.

Subscribe
Notify of
guest

This site uses Akismet to reduce spam. Learn how your comment data is processed.

1 Comment
Oldest
Newest Most Voted
Inline Feedbacks
View all comments
Eduard
Eduard
2 years ago

I think you could have used a far better example without resorting to floating point non trivial arithmetic, now you are forcing your readers to use a calculator to double check the result 2.25 and 4.5.

Back to top button