我正试图在ocaml中编写一个免费的monad库,跟随haskell的Control.Monad.Free,但是我在一个点上被卡在了hoistFree的实现中。
hoistFree :: Functor g => (forall a. f a -> g a) -> Free f b -> Free g b
hoistFree _ (Pure a) = Pure a
hoistFree f (Free as) = Free (hoistFree f <$> f as)
这是我尝试翻译。
let rec hoistfree : 'b.('b t -> 'b t) -> 'a m -> 'a m =
fun f x -> match x with
| Return x -> Return x
| Free x -> Free (T.map (hoistfree f) (f x));;
不幸的是我收到一个错误,告诉我我没有正确地扩大g的类型。
Error: This definition has type ('b m t -> 'b m t) -> 'b m -> 'b m
which is less general than 'a. ('a t -> 'a t) -> 'b m -> 'b m
如果我不插入函数类型注释,一切正常,但是当错误消息显示时,我没有获得f的常规类型。 问题出在哪儿?如何加宽f的类型?
答案 0 :(得分:3)
我对Ocaml不是很熟悉,但我相信
let rec hoistfree : 'b.('b t -> 'b t) -> 'a m -> 'a m =
被解析为
let rec hoistfree : 'b. ( ('b t -> 'b t) -> 'a m -> 'a m ) =
而不是
let rec hoistfree : ('b. ('b t -> 'b t)) -> 'a m -> 'a m =
前者是基本的多态类型,后者是rank2类型,需要比Hindley-Milner更多的类型系统支持。
IIRC,要实现后者,您需要定义自定义包装器数据类型。例如:
type poly = { polyf: 'a . 'a -> 'a } ;;
let foo (x: poly): int = x.polyf 4;;
let bar: poly = { polyf = fun x -> x } ;;
let _ = print_string ("hello " ^ string_of_int (foo bar));;