我正在阅读Real World Haskell中的单子变换器。在下面的示例中,堆栈位于Writer
顶部State
的Reader
顶部IO
。
{-# Language GeneralizedNewtypeDeriving #-}
import Control.Monad
import Control.Monad.State
import Control.Monad.Reader
import Control.Monad.Writer
import System.Directory
import System.FilePath
data AppConfig = AppConfig {
cfgMaxDepth :: Int
} deriving Show
data AppState = AppState {
stDeepestReached :: Int
} deriving Show
newtype MyApp a = MyA {
runA :: WriterT [(FilePath,Int)] (StateT AppState (ReaderT AppConfig IO)) a
} deriving (Monad, MonadIO, Functor, MonadReader AppConfig,
MonadWriter [(FilePath,Int)], MonadState AppState)
runApp :: MyApp a -> Int -> IO ([(FilePath,Int)], AppState)
runApp k maxDepth = let config = AppConfig maxDepth
state' = AppState 0
in runReaderT (runStateT (execWriterT $ runA k) state') config
constrainedCount :: Int -> FilePath -> MyApp ()
constrainedCount curDepth path = do
contents <- liftIO . getDirectoryContents $ path
cfg <- ask
let maxDepth = cfgMaxDepth cfg
tell [(path,curDepth)]
forM_ (filter (\d' -> d' /= ".." && d' /= ".") contents) $ \d -> do
let newPath = path </> d
isDir <- liftIO $ doesDirectoryExist newPath
when (isDir && curDepth < maxDepth) $ do
let newDepth = curDepth+1
st <- get
when (stDeepestReached st < newDepth) $
put st { stDeepestReached = newDepth }
constrainedCount newDepth newPath
main = runApp (constrainedCount 0 "/tmp") 2 >>= print
我(想我)了解我如何简单地调用ask
,get
并且put
由于这些是在 , 和类型类中定义的MonadReader
,MonadWriter
并且MonadState
存在诸如MonadWriter (StateT s m)
等等之类的实例。
我不明白的是为什么我不能lift
从下面的层到当前的 monad 转换器显式地执行一个动作。如果constrainedCount
我理解正确,我在 Reader monad 中,我认为两者都st <- get
应该st <- lift get
工作。(那tell
还有lift .lift .tell should be the same). If I change
st <- get to
st <- lift get`我得到了错误
Couldn't match type `t0 m0' with `MyApp'
Expected type: MyApp ()
Actual type: t0 m0 ()
这告诉我很少......我对此的理解完全错误吗?