If you have never heard about lambda calculus, here is a quick definition found on Wikipedia:
“Lambda calculus (also written as λ-calculus) is a formal system in mathematical logic for expressing computation based on function abstraction and application using variable binding and substitution.”
Basically, this is the syntax: <function> ::= λ <variable-list> . <expression>
An expression is also a variable.
For example, here is the identity function from mathematics:
identity = λx.x
A more concrete example is its usage to represent types. In the following example:
function upper(str) {
return str.toUpperCase()
}
has the type:
t' = λ t . t
// We can reduce it to infer the return type
t' = λ string . string
t' = string
// The result type is `string`
true = λx.λy.x
false = λx.λy.y
if = λb.λt.λf.b t f
and = λbb'. if b b' false
or = λbb'. if b true b'
not = λb.if b false true
I decided to use OCaml for this example because it has partial application and a nice REPL. Since the conditional and logical operators are already in the language, I will prepend them with an underscore.
let _true x y = x;;
(* - : 'a -> 'b -> 'a = *)
let _false x y = y;;
(* - : 'a -> 'b -> 'b = *)
Note that it's similar to how an identity function works.
let _if b t f = b t f;;
(* - : ('a -> 'b -> 'c) -> 'a -> 'b -> 'c = *)
For the sake of simplicity, I won't declare all the operators for now. We can already evaluate some simple conditions.
(* This is my condition, for now it's a constant `true` *)
let myCond = _true;;
_if myCond 1 0;;
(* - : int = 1 *)
(* and if my condition is `false` *)
let myCond2 = _false;;
_if myCond2 1 0;;
(* - : int = 0 *)
To be honest, I don't know why you would use this in real life code. There is no need to redefine the built-in condition mechanism.
Thanks to Danny Willemsfor introducing me to this.