我写过myPercolation.ml
。
open MyUnionFind
module type MyPercolationSig = sig
type percolation
val create_percolation : int -> percolation
val open_site : percolation -> int -> int -> unit
val is_open : percolation -> int -> int -> bool
val is_full : percolation -> int -> int -> bool
val can_percolates : percolation -> bool
end
module MyPercolation : MyPercolationSig = struct
exception IndexOutOfBounds;;
type percolation =
{n : int;
sites: bool array;
union : MyUnionFind.union_find};;
let create_percolation n =
{n = n; sites = Array.make (n*n) false; union = MyUnionFind.create_union (n*n)};;
let open_site p i j =
let {n;_;union} = p
in
if not (is_open p i j) then
begin
sites.(index_of n i j) <- true;
if i - 1 >= 1 && i - 1 <= n && is_open n (i-1) j then
MyUnionFind.union union (index_of n i j) (index_of n (i-1) j)
else if i + 1 >= 1 && i + 1 <= n && is_open n (i+1) j then
MyUnionFind.union union (index_of n i j) (index_of n (i+1) j)
else if j - 1 >= 1 && j - 1 <= n && is_open n i (j-1) then
MyUnionFind.union union (index_of n i j) (index_of n i (j-1))
else if j + 1 >= 1 && j + 1 <= n && is_open n i (j+1) then
MyUnionFind.union union (index_of n i j) (index_of n i (j+1))
end;;
let index_of n i j = n * (i - 1) + j;;
let is_open {n;sites;_} i j =
if i < 1 || i > n || j < 1 || j > n then
raise IndexOutOfBounds
else
sites.(index_of n i j);;
let is_full {n;_;union} i j =
let rec is_connected_top j' =
if j = 0 then false
else
if MyUnionFind.is_connected union (index_of n i j) (index_of n 0 j') then true
else is_connected_top (j'-1)
in is_connected_top n;;
let can_percolates p =
let {n;_;_} = p
in
let rec is_full_bottom j =
if j = 0 then false
else
if is_full p n j then true
else is_full_bottom (j-1)
end
请忽略包MyUnionFind
包。它只是union-find
算法的自制实现。
当我尝试编译myPercolation.ml
时,我遇到了这样的错误:
$ ocamlc -c myPercolation.ml
File "myPercolation.ml", line 25, characters 11-12:
Error: Syntax error: '}' expected
File "myPercolation.ml", line 25, characters 8-9:
Error: This '{' might be unmatched
我认为错误是在let {n;_;union} = p
的函数中讨论let open_site p i j
。
我已多次阅读该行和所有代码,但我仍未发现该行中有任何不匹配的{}
。
有人可以帮忙吗?
答案 0 :(得分:4)
另一个可能的错误:{n;_;_}
应为{n;_}
只需要1个下划线。可以把它想象成匹配语句中的_
通配符。
答案 1 :(得分:3)
表达式let {n; _; union} = p
没有很好地形成OCaml。我想你想要的是let {n; union} = p
。在记录模式中处理您不关心的字段的方法更不用说了。
<强>更新强>:
正如rgrinberg所指出的,描述问题的更好方法是_
必须作为最后一个字段出现。这就是编译器希望之后看到}
的原因。将_
作为一个指标来表示您只是故意匹配记录的一部分字段可能是一种很好的方式。实际上,您可以打开一个检查此选项的编译器选项。
更新2 :
不完整记录模式的警告是警告编号9,并且还与字母R相关。以下是如何使用R:
$ ocaml -w +R
OCaml version 4.00.0
# type r = { a: int; b: char };;
type r = { a : int; b : char; }
# let {a} = {a=3; b='x'} in a;;
Warning 9: the following labels are not bound in this record pattern:
b
Either bind these labels explicitly or add '; _' to the pattern.
- : int = 3
编译器的命令行语法相同。