This language bar is your friend. Select your favorite languages!
Select your favorite languages :
- Or search :
Idiom #36 First-class function : generic composition
Implement a function compose which returns composition function g ∘ f for any functions f and g having exactly 1 parameter.
- Clojure
- C++
- C#
- D
- Dart
- Erlang
- Go
- Go
- Haskell
- JS
- JS
- Java
- Lisp
- Lua
- PHP
- Perl
- Python
- Python
- Ruby
- Ruby
- Rust
- Rust
- Scheme
- Scheme
- VB
(comp g f)
Function composition is already a function in Clojure's core API. It has no restriction on numbers of parameters.
template<typename Pred1, typename Pred2>
auto compose(Pred1 f, Pred2 g){
return [f,g](auto x){ return g(f(x)); };
}
Func<T1, T3> compose<T1, T2, T3>(Func<T1, T2> f, Func<T2, T3> g) => x => g(f(x));
func compose[T, U, V any](f func(T) U, g func(U) V) func(T) V {
return func(x T) V {
return g(f(x))
}
}
compose is generic, it accepts any type parameters T, U, V.
func composeIntFuncs(f func(int) int, g func(int) int) func(int) int {
return func(x int) int {
return g(f(x))
}
}
These specific functions take and return concrete types.
It could be done with an empty interface, but that would discard static type checks (the implementations of f and g can still be type-checked, though).
It could be done with an empty interface, but that would discard static type checks (the implementations of f and g can still be type-checked, though).
fn compose<'a, A, B, C, G, F>(f: F, g: G) -> Box<Fn(A) -> C + 'a>
where F: 'a + Fn(A) -> B, G: 'a + Fn(B) -> C
{
Box::new(move |x| g(f(x)))
}
Unfortunately, you'll need to implement another two variants if you care about FnMut and FnOnce. Also, for now, you need to box the returned function. In the future, this shouldn't be necessary.
fn compose<A, B, C>(f: impl Fn(A) -> B, g: impl Fn(B) -> C) -> impl Fn(A) -> C {
move |x| g(f(x))
}