OCaml堆缺少节点

时间:2016-02-28 15:29:42

标签: ocaml heap

我已经定义了一个类型堆:

type 'a heap = 
| Node of int * int * 'a heap * 'a heap
| Leaf;;

以下功能:

let rank = function Leaf -> 0 | Node (r,_,_,_) -> r;;

let makeNode x a b = 
if rank a>= rank b then Node(rank b+1,x,a,b)
else Node (rank a+1,x,a,b);;

let rec meld  = function
|h,Leaf | Leaf,h -> h
| (Node(f,x,a1,b1)as h1),(Node(g,y,a2,b2)as h2) -> if  x >= y then makeNode x a1 (meld (b1, h2))
else makeNode y a2 (meld (h1, b2));;

let insert h x = meld ((Node(1,x,Leaf,Leaf)), h);;

但是,当我将第二个节点插入堆中时,根消失。我该如何解决这个问题:

let makeheap x = Node(1,x,Leaf,Leaf);;   
let myheap = makeheap 5;;
insert myheap 7;;
insert myheap 8;;
insert myheap 3;;

产生以下输出:

val myheap : 'a heap = Node(1,5,Leaf,Leaf)
'a heap = Node(1,7,Leaf,Node(1,5,Leaf,Leaf))
'a heap = Node (1,8,Leaf,Node(1,5,Leaf,Leaf))
'a heap = Node(1,5,Leaf,Node(1,3,Leaf,Leaf))

1 个答案:

答案 0 :(得分:2)

你正在调用insert,好像这是一个必要的功能。即,好像它会改变一些状态。但是您的数据结构是不可变的。您必须将insert视为返回新状态。

我怀疑,你应该在进一步探讨之前阅读纯函数式编程。

Okasaki的纯功能数据结构的前几章很好地解释了这一点。

你当前问题的答案是这样的:

# insert (insert myheap 7) 8;;
- : 'a heap = Node (1, 8, Leaf, Node (1, 7, Leaf, Node (1, 5, Leaf, Leaf)))