blob: bfddd86577820220301ef703415c5d1f95770fb1 (
plain) (
blame)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
|
package coffee.liz.lambda.bind;
import coffee.liz.lambda.ast.Expression;
import coffee.liz.lambda.ast.Expression.IdentifierExpression;
import coffee.liz.lambda.ast.Expression.AbstractionExpression;
import coffee.liz.lambda.ast.Expression.ApplicationExpression;
import coffee.liz.lambda.ast.SourceSpan;
import coffee.liz.lambda.eval.Environment;
import java.util.Optional;
import coffee.liz.lambda.eval.Value;
import coffee.liz.lambda.eval.Value.Free;
import coffee.liz.lambda.eval.Value.Closure;
import lombok.Getter;
/**
* Converts an integer to its Church numeral representation.
*
* <p>
* Church numerals encode n as {@code λf.λx.f(f(...f(x)...))} with n
* applications of f.
*/
@Getter
public class ToChurch implements ExternalBinding {
private final String name = "ToChurch";
/**
* Converts a free variable containing an integer string to a Church numeral.
*
* @param env
* the current environment
* @param val
* a Free value whose name is an integer string
* @return a Closure representing the Church numeral
*/
@Override
public Value apply(final Environment env, final Value val) {
final Free free = (Free) val;
final int n = Integer.parseInt(free.name());
Expression body = new IdentifierExpression(Optional.empty(), SourceSpan.UNKNOWN, "x");
for (int i = 0; i < n; i++) {
body = new ApplicationExpression(Optional.empty(), SourceSpan.UNKNOWN,
new IdentifierExpression(Optional.empty(), SourceSpan.UNKNOWN, "f"), body);
}
return new Closure(env, "f", new AbstractionExpression(Optional.empty(), SourceSpan.UNKNOWN, "x", body));
}
}
|