我正在尝试使用SML结构定义命题逻辑评估。命题逻辑中的估值将变量(即字符串)命名为布尔值。
这是我的签名:
signature VALUATION =
sig
type T
val empty: T
val set: T -> string -> bool -> T
val value_of: T -> string -> bool
val variables: T -> string list
val print: T -> unit
end;
然后我定义了一个匹配的结构:
structure Valuation :> VALUATION =
struct
type T = (string * bool) list
val empty = []
fun set C a b = (a, b) :: C
fun value_of [] x = false
| value_of ((a,b)::d) x = if x = a then b else value_of d x
fun variables [] = []
| variables ((a,b)::d) = a::(variables d )
fun print valuation =
(
List.app
(fn name => TextIO.print (name ^ " = " ^ Bool.toString (value_of valuation name) ^ "\n"))
(variables valuation);
TextIO.print "\n"
)
end;
所以估值应该像[("s",true), ("c", false), ("a", false)]
但我不能像结构评估那样声明或者做出如下指令:[("s",true)]: Valuation.T;
当我尝试在函数中使用估值时,我会收到如下错误:
Can't unify (string * bool) list (*In Basis*) with
Valuation.T
有人可以帮助我吗?感谢。
答案 0 :(得分:1)
Valuation.T
类型不透明(隐藏)
你所知道的就是它被称为“T”
除非通过VALUATION
签名,否则您无法对其执行任何操作,并且该签名未提及列表。
您只能使用构造函数Valuation
和empty
构建set
,并且必须以empty
开头。
- val e = Valuation.empty;
val e = - : Valuation.T
- val v = Valuation.set e "x" true;
val v = - : Valuation.T
- val v2 = Valuation.set v "y" false;
val v2 = - : Valuation.T
- Valuation.value_of v2 "x";
val it = true : bool
- Valuation.variables v2;
val it = ["y","x"] : string list
- Valuation.print v2;
y = false
x = true
val it = () : unit
请注意,每个Valuation.T
值都打印为“ - ”,因为内部表示不会公开。