4

我很难抓住 monad 和 monad 转换器。我有以下人为的示例(不可编译):

import Control.Monad
import Control.Monad.Error
import Control.Monad.Reader

data State = State Int Int Int
type Foo = ReaderT State IO

readEither :: String -> Either String Int
readEither s = let p = reads s
           in case p of
               [] -> throwError "Could not parse"
               [(a, _)] -> return a

readEitherT :: IO (Either String Int)
readEitherT = let p s = reads s
          in runErrorT $ do
    l <- liftIO (getLine)
    readEither l

foo :: Foo Int
foo = do
  d <- liftIO $ readEitherT
  case d of
       Right dd -> return dd
       Left em -> do
     liftIO $ putStrLn em
     return (-1)

bar :: Foo String
bar = do
  liftIO $ getLine

defaultS = State 0 0 0

如果我将 readEither 的功能复制到 readEitherT,它可以工作,但我有一种唠叨的感觉,我可以利用现有 readEither 函数的强大功能,但我不知道如何。如果我尝试在 readEitherT 函数中提升 readEither,它会将其提升到ErrorT String IO (Either String Int)应有的状态。但我应该以某种方式得到它ErrorT String IO Int

如果我走错了方向,那么处理需要 IO(或其他 monad)并从 monadic 上下文中调用的错误的正确方法是什么(请参阅foo示例中的函数)

编辑: 显然不清楚我想要做什么。也许以下函数描述了我想知道的内容和原因

maybePulseQuit :: Handle -> IO (Either String ())
maybePulseQuit h = runErrorT $ do
  f <- liftIO $ (communicate h "finished" :: IO (Either String Bool))
  (ErrorT . pure) f >>= \b → liftIO $ when b $ liftIO pulseQuit

这可行,但由于绑定仍然很难看。这比以前的有大小写检查的版本要清楚得多。这是推荐的方法吗?

4

1 回答 1

2

目前尚不清楚您为什么需要ErrorT. 你可以readEitherT像这样实现

readEitherT :: IO (Either String Int)
readEitherT = fmap readEither getLine

如果您ErrorT出于某种原因确实需要,那么您可以创建实用程序函数eitherToErrorT

eitherToErrorT = ErrorT . pure

readEitherT = runErrorT $ do
  l <- liftIO $ getLine
  eitherToErrorT $ readEither l

[添加] 也许你只是想添加ErrorT到你的 monad 堆栈中......

data State = State Int Int Int
type Foo = ErrorT String (ReaderT State IO)

runFoo :: Foo a -> State -> IO (Either String a)
runFoo foo s = runReaderT (runErrorT foo) s

doIt :: Int -> Foo Int
doIt i = if i < 0
            then throwError "i < 0"
            else return (i * 2)

例子:

*Main> runFoo (doIt 1 >>= doIt) (State 0 0 0)
Right 4
*Main> runFoo (doIt (-1) >>= doIt) (State 0 0 0)
Left "i < 0"
于 2010-11-16T09:48:31.673 回答