7

是否可以使用类型同义词作为 monad 转换器类型构造函数的参数?特别是,如果应用的 monad 转换器有一个一元类型的同义词,它可以用作另一个 monad 转换器中的底层 monad 的类型吗?

从我看到的类型同义词不被接受为一流的类型构造函数,请参阅下面的示例和错误消息:

-- Using type synonym of a monad transformer in another monad transformer.

import Control.Monad.Reader

-- inner transformer
type A a = ReaderT Int IO a

-- type B a = ReaderT String A a
{- Error:
readert2.hs:8:0:
    Type synonym `A' should have 1 argument, but has been given 0
    In the type synonym declaration for `B'
-}

-- type B a = ReaderT String (A a) a
{- Error:
readert2.hs:15:27:
    Kind mis-match
    The second argument of `ReaderT' should have kind `* -> *',
    but `A a' has kind `*'
    In the type `ReaderT String (A a) a'
    In the type synonym declaration for `B'
-}

type B a = ReaderT String (ReaderT Int IO) a
{- OK -}

main = do
  r <- flip runReaderT 39 $ do
          n <- ask :: A Int
          s <- flip runReaderT "foo" $ (ask :: B String)
          return $ n + length s
  print r

有没有办法避免扩展A定义中的类型同义词B a

4

1 回答 1

13

不能部分应用类型同义词。在这种特定情况下,您可以编写

type A = ReaderT Int IO
type B a = ReaderT String A a

[甚至更好type B = ReaderT String A地用于B另一个单子变压器]

一般来说,如果不使用 newtype/data,这种转换是不可能的,例如:

type A a = Reader a Int

不能等价地写为type A = ...。在某种意义上,这个特性相当于类型级别的 lambda \a -> Reader a Int

于 2010-07-30T14:56:48.350 回答