I am trying to implement function composition. At first I defined a function that is named compose
.
func compose<A,B,C>(f:(B -> C))(g: (A -> B)) -> A -> C {
return { f(g($0)) }
}
This works great. For example if I have not
and isEven
functions like
func not(value: Bool) -> Bool {
return !value
}
func even(value: Int) -> Bool {
return value % 2 == 0
}
The odd
function can be defined in terms of not
and even
like this:
func odd(value: Int) -> Bool {
return compose(not)(isEven)(value)
}
Then I decided to use a custom operator instead of compose
function. The custom operator is ..
. At first I just copied compose
function and changed it name to ..
. Here is how it looks like:
infix operator .. { associativity left }
func ..<A,B,C>(f:(B -> C))(g: (A -> B)) -> A -> C {
return { f(g($0)) }
}
Here Xcode gives the error: "Unary operator implementation must have a 'prefix' or 'postfix' modifier"
After that I changed the operator to this:
infix operator .. { associativity left }
func ..<A,B,C>(f: (B -> C), g: (A -> B)) -> A -> C {
return { f(g($0)) }
}
And odd
function to this:
func odd(value: Int) -> Bool {
return (not..even)(value)
}
Or as a closure:
let odd = not..even
And this code worked. Now I know maybe there is no benefit here to make ..
operator curried here but I wonder why curried operators is not allowed? For example if +
operator were defined as curried function we would make something like this:
let array = [1,2,3,4]
array.map((+1))
Let's write some (incomplete) definitions for the terms in your question:
non-curried two-argument function: A function that takes two arguments and returns some value. Example:
func add(a: Int, b: Int) -> Int
curried two-argument function: A function that takes one argument and returns another function that takes one argument and returns some value. Example:
func add(a: Int)(b: Int) -> Int
infix (binary) operator: An operator that takes two operands, an
lhs
and anrhs
argument, and returns some value. Example:func +(lhs: Int, rhs: Int) -> Int
prefix/postfix (unary) operator: An operator that takes a single operand, either after or before the operator, and returns some value. Example:
func -(x: Int) -> Int
Curried functions are more akin to unary operators than binary ones; that's why Swift is complaining.