5

我已经定义了一个模块类型ZONE和两个仿函数(ZoneFunZoneFunPrec)来构建它:

(* zone.ml *)
module type ZONE =
sig
  type info
  type prop
  type t = { p: prop; i: info }
  val f1 : t -> string
end

module ZoneFun (Prop : PROP) = struct
  type info = { a: int }
  type prop = Prop.t
  type t = { p: prop; i: info }
  let f1 z = "f1"
end

(* zoneFunPrec.ml *)
module ZoneFunPrec (Prop: PROP) (Prec: ZONESM) = struct
  type info = { a: int; b: Prec.t }
  type prop = Prop.t
  type t = { p: prop; i: info }
  let f1 z = "f1"
  let get_prec z = z.info.prec
end   

这 2 个函子中的一些函数的实现方式不同(例如f0);有些功能完全相同(例如f1)。我的问题是如何提取这些常用功能以避免两次实现它们?

编辑:(我意识到我需要提供更具体的信息以使其更清楚......抱歉改变......)

ZoneFun和之间有一些区别ZoneFunPrec

1)他们type info不一样 2)ZoneFunPrec 有没有,并且不需要它的get_prec签名。ZoneFunZONE

所以以后我可以写作module ZoneB = ZoneFun(B)module ZoneA = ZoneFunPrec(C)(ZonesmD)建立区域......

4

1 回答 1

1

您可以执行以下操作:

module ZoneFunPrec (Prop: PROP) = struct
  module Zone1 = ZoneFun(Prop)
  type prop = Prop.t
  type t = string
  let f0 x = "f0 in ZoneFunPrec"
  let f1 = Zone1.f1
end

但这只有在您不在函子中赋予签名时才有效

module ZoneFunPrec (Prop: PROP) : ZONE = ...

如果你想要不透明的归属,你可以做这样的事情

(* No ascription here *)
module SharedFn (Prop : PROP) = struct
  type prop = Prop.t
  type t = string
  let f0 x = "f0 in ZoneFun"
  let f1 x = "f1"
end

(* Ascribe the module to hide the types *)  
module ZoneFun (Prop : PROP) : ZONE = struct
  module Shared = SharedFn(Prop)
  let f1 = Shared.f1
  ...defs specific to ZONE...
end 

module ZoneFunPrec (Prop: PROP) : ZONE_PREC = struct
  module Shared = SharedFn(Prop)
  type prop = Prop.t
  type t = string
  let f0 x = "f0 in ZoneFunPrec"
  let f1 = Shared.f1
  ...defs specific to ZONE_PREC...
end

您可以尝试使用include Shared来节省打字,但类型将是抽象的,因此它不会很灵活。

于 2013-09-10T18:00:53.790 回答