我认为这只是对英语的误解。当它说“你”时,它只是意味着“你当前关心的代码”。
如果您正在编写一个函数myfunction
:
myfunction x y = sqrt (x*x + y*y)
main = print $ myfunction 3 4
如果我们说你是myfunction
,那么sqrt
是你调用main
的函数,也是调用你的函数。
本书试图说明的一点是,你的代码可以在任何你想要的环境中调用函数,但这些函数不能改变你的代码的环境。反过来,调用您的代码的代码可以指定它希望您看到的任何环境,但您不能更改该代码的环境。
这是一个注释示例:
import Control.Monad.IO.Class
import Control.Monad.Trans.Reader
import Control.Monad.Trans
showValue :: String -> ReaderT String IO ()
showValue str = do
s <- ask
lift . putStrLn $ str ++ ": " ++ s
-- This is me (i.e. my code).
-- I show the environment twice, and it's guaranteed to be the same both times
myFunction :: ReaderT String IO ()
myFunction = do
showValue "myFunction sees"
withReaderT (const "Something Completely Different") functionThatICall
showValue "myFunction still sees"
-- This is a function that I call.
-- I decide what value it sees, but it can't decide what I see.
functionThatICall :: ReaderT String IO ()
functionThatICall = showValue "functionThatICall sees"
-- This is a function that calls me. It decides what value I see,
-- but I can't change what it sees.
functionThatCallsMe :: ReaderT String IO ()
functionThatCallsMe = do
showValue "functionThatCallsMe sees"
myFunction
showValue "functionThatCallsMe still sees"
main = runReaderT functionThatCallsMe "Hello World"