作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
在 OCaml 中,“fun”似乎是我的绑定(bind)运算符。 OCaml 有内置替换吗?如果有,它是如何实现的?它是使用 de Bruijn 索引实现的吗?
只是想知道如何在 OCaml 中实现无类型的 lambda 演算,但没有找到这样的实现。
最佳答案
作为 Bromind,我也不完全理解您所说的“OCaml 是否具有内置替换?”是什么意思
关于 lambda-calculus 我不是很了解,但是,如果你谈论编写某种 lambda-calculus 解释器,那么你需要首先定义你的“语法”:
(* Bruijn index *)
type index = int
type term =
| Var of index
| Lam of term
| App of term * term
所以 (λx.x) y
将是 (λ 0) 1
并且在我们的语法中 App(Lam (Var 0), Var 1)
.
现在您需要实现减少、替代等操作。例如你可能有这样的东西:
(* identity substitution: 0 1 2 3 ... *)
let id i = Var i
(* particular case of lift substitution: 1 2 3 4 ... *)
let lift_one i = Var (i + 1)
(* cons substitution: t σ(0) σ(1) σ(2) ... *)
let cons (sigma: index -> term) t = function
| 0 -> t
| x -> sigma (x - 1)
(* by definition of substitution:
1) x[σ] = σ(x)
2) (λ t)[σ] = λ(t[cons(0, (σ; lift_one))])
where (σ1; σ2)(x) = (σ1(x))[σ2]
3) (t1 t2)[σ] = t1[σ] t2[σ]
*)
let rec apply_subs (sigma: index -> term) = function
| Var i -> sigma i
| Lam t -> Lam (apply_subs (function
| 0 -> Var 0
| i -> apply_subs lift_one (sigma (i - 1))
) t)
| App (t1, t2) -> App (apply_subs sigma t1, apply_subs sigma t2)
如您所见,OCaml 代码只是直接重写定义。
现在小步减少:
let is_value = function
| Lam _ | Var _ -> true
| _ -> false
let rec small_step = function
| App (Lam t, v) when is_value v ->
apply_subs (cons id v) t
| App (t, u) when is_value t ->
App (t, small_step u)
| App (t, u) ->
App (small_step t, u)
| t when is_value t ->
t
| _ -> failwith "You will never see me"
let rec eval = function
| t when is_value t -> t
| t -> let t' = small_step t in
if t' = t then t
else eval t'
例如,您可以评估 (λx.x) y
:
eval (App(Lam (Var 0), Var 1))
- : term = Var 1
关于ocaml - 如何在 OCaml 中实现 lambda 演算?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/48049472/
我是一名优秀的程序员,十分优秀!