Ocaml为类型提供了三种封装:
- 抽象 - 当我们无法对模块外部的抽象类型对象执行任何操作时(无法读取、创建、更新)
- public - 当我们可以在模块外部使用公共类型的对象执行所有操作时(可以读取、创建、更新)
- private - 当我们只能从模块外部的公共类型的对象中读取时(可以读取但不能创建或更新)
一切都按描述进行,但从私有元组中读取任何内容是不可能的。
例如,以下带有记录类型的示例可以正常工作:
module Private : sig
type t = private { a : int }
val make : int -> t
end = struct
type t = { a : int }
let make a = { a }
end
let x = Private.make 5
let a = x.a
let Private.{ a = value } = x
但不可能用元组提取相关示例中的任何值。
module Private : sig
type t = private int * int
val make : int -> int -> t
end = struct
type t = int * int
let make a b = a, b
end
let x = Private.make 5 6
let Private.(a, b) = x
编译器给我最后一行代码的错误:
错误:此表达式的类型为 Private.t,但表达式应为“a * ”b 类型
我尝试了许多不同的读取私有元组的失败尝试。而我的结果是没有办法做到这一点。
可以这样做吗?如果不是,它是否会破坏私有类型的概念,或者我是否遗漏了我的理解中的某些内容?
笔记
我已经检查过,也不可能执行私有函数。
module Private : sig
type t = private int -> int
val make : int -> int -> t
end = struct
type t = int -> int
let make a b = fun x -> if x = b then b else 0
end
let f = Private.make 5 6
let res = f 5
错误:此表达式的类型为 Private.t 这不是函数;它不能被应用。