在阅读(并略读)Wadler关于monad的论文之后,我决定更仔细地研究论文,为他描述的每个monad定义函子和应用实例。使用类型同义词
type M a = State -> (a, State)
type State = Int
Wadler用于定义状态monad,我有以下内容(使用相关名称,以便稍后我可以用newtype声明定义它们)。
fmap' :: (a -> b) -> M a -> M b
fmap' f m = \st -> let (a, s) = m st in (f a, s)
pure' :: a -> M a
pure' a = \st -> (a, st)
(<@>) :: M (a -> b) -> M a -> M b
sf <@> sv = \st -> let (f, st1) = sf st
(a, st2) = sv st1
in (f a, st2)
return' :: a -> M a
return' a = pure' a
bind :: M a -> (a -> M b) -> M b
m `bind` f = \st -> let (a, st1) = m st
(b, st2) = f a st1
in (b, st2)
当我切换到在newtype声明中使用类型构造函数时,例如,
newtype S a = S (State -> (a, State))
一切都崩溃了。一切都只是稍作修改,例如,
instance Functor S where
fmap f (S m) = S (\st -> let (a, s) = m st in (f a, s))
instance Applicative S where
pure a = S (\st -> (a, st))
然而,由于lambda表达式隐藏在该类型构造函数中,因此GHC中没有任何内容运行。现在,我看到的唯一解决方案是定义一个函数:
isntThisAnnoying s (S m) = m s
为了将s绑定到'st'并实际返回一个值,例如
fmap f m = S (\st -> let (a, s) = isntThisAnnoying st m in (f a, s))
还有另一种不使用这些辅助功能的方法吗?
答案 0 :(得分:11)
答案 1 :(得分:4)
通常的方法是定义newtype newtype S a = S {runState : State -> (a, State)}
。然后,您可以写isntThisAnnoying s (S m)
而不是runState t s
,其中t
与S m
相同。
您必须使用newtype
,因为类型同义词不能是类型类实例。