3

几天前,我问了一个关于在自由单子的上下文中注入函子的问题。那里建议的解决方案基于Data Types à la Carte使用一个表示函子之间的一种包含关系的类。

-- | Class that represents the relationship between a functor 'sup' containing
-- a functor 'sub'.
class (Functor sub, Functor sup) => sub :-<: sup where
    inj :: sub a -> sup a

-- | A functor contains itself.
instance Functor f => f :-<: f where
    inj = id

-- | A functor is contained in the sum of that functor with another.
instance (Functor f, Functor g) => f :-<: (Sum f g) where
    inj = InL

-- | If a functor 'f' is contained in a functor 'g', then f is contained in the
-- sum of a third functor, say 'h', with 'g'.
instance (Functor f, Functor g, Functor h, f :-<: g) => f :-<: (Sum h g) where
    inj = InR . inj

现在考虑以下数据类型:

type WeatherData = String

data WeatherServiceF a = Fetch (WeatherData -> a) deriving (Functor)

data StorageF a = Store WeatherData a deriving (Functor)

以及具有以下类型的函数

fetch :: (WeatherServiceF :-<: g) => Free g WeatherData

从哪里来FreeControl.Monad.Free模块。

然后,如果我尝试按如下方式使用此功能:

reportWeather :: Free (Sum WeatherServiceF StorageF) ()
reportWeather = do
    _ <- fetch
    return ()

我收到一个重叠实例错误,说:

• Overlapping instances for WeatherServiceF
                            :-<: Sum WeatherServiceF StorageF
    arising from a use of ‘fetch’
  Matching instances:
    two instances involving out-of-scope types
      instance (Functor f, Functor g) => f :-<: Sum f g

      instance (Functor f, Functor g, Functor h, f :-<: g) =>
               f :-<: Sum h g

现在,我知道第一个是有效实例,但为什么第二个也被视为有效实例?如果我在第二种情况下实例化变量,我会得到

instance ( Functor WeatherServiceF
         , Functor StorageF
         , Functor WeatherServiceF
         , WeatherServiceF :-<: StorageF
         ) => WeatherServiceF :-<: Sum WeatherServiceF g

这不应该是一个实例,因为WeatherServiceF :-<: StorageF. 为什么 GHC 会推断出这样的例子?

我启用了以下实例:

{-# LANGUAGE DeriveFunctor         #-}
{-# LANGUAGE FlexibleContexts      #-}
{-# LANGUAGE FlexibleInstances     #-}
{-# LANGUAGE MultiParamTypeClasses #-}
{-# LANGUAGE TypeOperators         #-}
4

1 回答 1

3

编译器必须能够通过仅考虑实例的“头部”来选择实例,而不需要查看约束。仅在选择了适用的实例后才考虑约束。如果它不能在两个只看头部的实例之间做出决定,那么它们就会重叠。

原因是无法保证最终完整程序中使用的所有实例都将导入模块。如果编译器曾经基于无法看到一个实例满足另一个实例的约束而承诺选择一个实例,那么不同的模块可能会根据不同的选择对两个重叠实例中的哪一个用于同一类型做出不同的选择。每个可用的实例集。

重叠检查旨在阻止这种情况的发生。因此,它可以做到这一点的唯一方法是,如果 GHC 在查看哪些实例可能适用于给定情况时,至少将所有约束视为可能满足。当只剩下一个候选人时,无论在程序的其他地方添加或删除了哪些其他实例,该候选人都将保留。然后它可以检查该模块中是否有必要的实例来满足约束。

于 2017-11-22T10:20:37.057 回答