blob: b8e8464b8c768ec3da76ee906b93cd735c8b8c8f (
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
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
|
/* lambda calculus */
const allHashes = {};
const hash = (s) => {
let h = 0;
for (let i = 0; i < s.length; i++) {
const chr = s.charCodeAt(i);
h = (h << 5) - h + chr;
h |= 0;
}
while (h in allHashes && allHashes[h] !== s) h += 1;
allHashes[h] = s;
return h;
};
const abs = (body) => {
if (body === null) return null;
const t = { type: "abs", body };
t.hash = hash("abs" + body.hash);
return t;
};
const app = (left) => (right) => {
if (left === null || right === null) return null;
const t = { type: "app", left, right };
t.hash = hash("app" + left.hash + right.hash);
return t;
};
const idx = (idx) => {
if (idx === null) return null;
const t = { type: "idx", idx };
t.hash = hash("idx" + idx);
return t;
};
const def = (name) => {
const t = { type: "def", name };
t.hash = hash("def" + name);
return t;
};
/* lambda screen */
const WHITE = 0;
const BLACK = 1;
const UNKNOWN = 2;
// [[1]]=w, [[0]]=b, other=g
const toColor = (t) => {
if (t.type === "abs" && t.body.type === "abs" && t.body.body.type === "idx")
return t.body.body.idx === 1
? WHITE
: t.body.body.idx === 0
? BLACK
: UNKNOWN;
return UNKNOWN;
};
// [((((0 tl) tr) bl) br)]
const seemsScreeny = (t) =>
t.type === "abs" &&
t.body.type === "app" &&
t.body.left.type === "app" &&
t.body.left.left.type === "app" &&
t.body.left.left.left.type === "app" &&
t.body.left.left.left.left.type === "idx" &&
t.body.left.left.left.left.idx === 0;
|