我正在编写一个框架,其中main函数向用户询问类型a -> [b]
的函数。
但是,因为该函数可能非常复杂,所以它的实现通常如下所示:
fn a = extractPartOfAAndConvert a ++ extractAnotherPartofAAndConvert a
这就是为什么我认为使用Reader
可能是一个很好的,惯用的想法来对抗它。然而,与此同时,我意识到有些人可能不想使用monad。
在尝试时,我已经制定了这个解决方案:
class Iso a b where
isoFrom :: a -> b
isoTo :: b -> a
instance Iso a a where
isoFrom = id
isoTo = id
instance Iso (a -> b) (Reader a b) where
isoFrom f = reader f
isoTo m = runReader m
这反过来允许我这样做:
testCallback :: MyState -> Callback -> MyState
testCallback myState cb = cb myState
-- The important signature
testCallbackGeneric :: Iso Callback a => MyState -> a -> MyState
testCallbackGeneric myState cb = (isoTo cb) myState
callbackFunction :: Callback
callbackFunction s = s + 10
callbackMonad :: Reader MyState MyState
callbackMonad = do
x <- ask
return $ x - 10
-----------
let myStateA = testCallback myState callbackFunction
-- let myStateB = testCallback myState callbackMonad -- won't work, obviously
let myStateC = testCallbackGeneric myState callbackFunction
let myStateD = testCallbackGeneric myState callbackMonad
然而,我觉得我非常喜欢重新发明轮子。
有没有办法表达Reader的等价性,轻松编写这样的泛型函数而不需要创建自己的类型类?
答案 0 :(得分:10)
您可以简单地使用函数monad (->) r
已经在MonadReader r
中定义了Control.Monad.Reader
的实例这一事实。您可以仅使用MonadReader
约束编写函数,并将它们用作普通函数或其他ReaderT
monad:
f :: MonadReader Int m => m Int
f = do
a <- ask
return $ 2 * a + 3 * a
normally :: Int
normally = f 1
-- normally == 5
readerly :: Reader Int Int
readerly = do
result <- f
return $ 2 * result
> runReader f 1
5
> runReader readerly 1
10