这种请求-响应类型有标准抽象吗?

问题描述 投票:0回答:2

我有以下类型:

data S req rsp = Done rsp | Next req (rsp -> S req rsp)

这个想法是将其用作网络通信的纯粹表示,即:

... Next GetUser $ \uid -> Next (Login uid) $ \success -> Done success

然后将通过一些不纯的函数来评估

eval

现在,这是什么(如果有的话?) 据我所知,它不是单子,也不是箭头。它似乎介于流/管道/自动机/fsm 和延续 monad 之间。这让我觉得对于这类事情可能有更好的表示,但是什么呢?

haskell monads continuations free-monad haskell-pipes
2个回答
6
投票

它是免费 Monad。 这个想法是,你有一个指令的描述,你可以有多个解释器,比如你的

eval
函数。 Free Monad 对该任务所具有的模式进行了抽象。有关详细信息,我推荐这篇很棒的文章

要使您的类型适应

Free
,我们可以执行以下操作:

{-# LANGUAGE DeriveFunctor #-}

import Control.Monad.Free

data Instruction req rsp next =
  Respond rsp |
  Interact req (rsp -> next)
  deriving (Functor)

type S req rsp =
  Free (Instruction req rsp)

respond :: rsp -> S req rsp ()
respond rsp =
  liftF (Respond rsp)

interact :: req -> S req rsp rsp
interact req =
  liftF (Interact req id)

现在,感谢

Free
S req rsp
是一个 monad,这意味着您现在可以使用
respond
API 编写
interact
Monad
函数。

还有更多。可以使用 Template Haskell 和以下额外代码生成

respond
interact
函数:

{-# LANGUAGE TemplateHaskell #-}

import Control.Monad.Free.TH

makeFree ''Instruction

5
投票

你的类型看起来有点像 Apfelmus 的

operational
monad,也称为 the
Freer
monad
:

data Program inst a where
    Return :: a -> Program inst a
    Bind :: inst a -> (a -> Program inst b) -> Program inst b

instance Monad (Program inst) where
    return = Return
    Return x >>= f = f x
    Bind i next >>= f = Bind i (fmap (>>= f) next)

-- plus the usual Functor and Applicative boilerplate

Program :: (* -> *) -> * -> *
表示一系列指令
inst
,它们使用它们的类型参数来指示在解释器中运行该指令的“返回类型”。
Bind
构造函数接受一条指令和一个延续,可以在从解释器接收到指令结果后运行该延续。请注意
a
是如何存在量化的,反映了计算中所有中间步骤的类型与整体类型无关的事实。

Program
与您的类型之间的重要区别在于,响应的类型由指令确定,而不是在整个计算中固定。这使我们能够对每个请求期望引起的响应做出更细粒度的保证。

例如,这里的状态单子写为

Program

data StateI s r where
    Get :: StateI s s
    Put :: s -> StateI s ()

type State s = Program (StateI s)

get :: State s s
get = Bind Get Return
put :: s -> State s ()
put s = Bind (Put s) Return

modify :: (s -> s) -> State s ()
modify f = do
    x <- get
    put (f x)

runState :: State s a -> s -> (s, a)
runState (Return x) s = (s, x)
runState (Bind Get next) s = runState (next s) s
runState (Bind (Put s) next) _ = runState (next ()) s

联合米田引理告诉我们

Program
Free
同构。直观上,它是一个基于
->
Functor
实例的免费 monad。对于某些操作(如左关联绑定),
Program
可能比
Free
更高效,因为它的
>>=
基于函数组合,而不是可能昂贵地
fmap
ping 任意
Functor

© www.soinside.com 2019 - 2024. All rights reserved.