寻找 ConstrainedMonoid
我最近遇到了一个非常相似的问题,我终于解决了本文末尾描述的方式(不涉及幺半群,而是使用类型上的谓词)。但是,我接受了挑战并尝试编写一个ConstrainedMonoid
类。
这是想法:
class ConstrainedMonoid m where
type Compatible m (t1 :: k) (t2 :: k) :: Constraint
type TAppend m (t1 :: k) (t2 :: k) :: k
type TZero m :: k
memptyC :: m (TZero m)
mappendC :: (Compatible m t t') => m t -> m t' -> m (TAppend m t t')
好的,有一个简单的实例,它实际上并没有添加任何新的东西(我交换了R
s 类型参数):
data K = T0 | T1 | T2 | T3 | T4
data R a (t :: K) = R String (Maybe (String -> a))
instance ConstrainedMonoid (R a) where
type Compatible (R a) T1 T1 = ()
type Compatible (R a) T2 T2 = ()
type Compatible (R a) T3 T3 = ()
type Compatible (R a) T4 T4 = ()
type Compatible (R a) T0 y = ()
type Compatible (R a) x T0 = ()
type TAppend (R a) T0 y = y
type TAppend (R a) x T0 = x
type TAppend (R a) T1 T1 = T1
type TAppend (R a) T2 T2 = T2
type TAppend (R a) T3 T3 = T3
type TAppend (R a) T4 T4 = T4
type TZero (R a) = T0
memptyC = R "" Nothing
R s f `mappendC` R t g = R (s ++ t) (g `mplus` f)
不幸的是,这需要大量冗余类型实例(OverlappingInstances
似乎不适用于类型族),但我认为它在类型级别和值级别都满足幺半群定律。
但是,它没有关闭。它更像是一组不同的幺半群,索引为K
. 如果这就是你想要的,它应该就足够了。
如果你想要更多
让我们看一个不同的变体:
data B (t :: K) = B String deriving Show
instance ConstrainedMonoid B where
type Compatible B T1 T1 = ()
type Compatible B T2 T2 = ()
type Compatible B T3 T3 = ()
type Compatible B T4 T4 = ()
type TAppend B x y = T1
type TZero B = T3
memptyC = B ""
(B x) `mappendC` (B y) = B (x ++ y)
这可能是一个在您的领域中有意义的案例——但是,它不再是一个幺半群了。如果您尝试制作其中之一,它将与上面的实例相同,只是使用不同的TZero
. 我实际上只是在这里推测,但我的直觉告诉我,唯一有效的幺半群实例正是像 for R a
; 仅具有不同的单位值。
否则,您最终会得到一些不一定具有关联性的东西(我认为可能还有一个终端对象),它在合成下不会关闭。如果您想将组合限制为等于K
s,您将失去单位值。
更好的方法(恕我直言)
以下是我实际解决问题的方法(当时我什至没有想到幺半群,因为它们无论如何都没有意义)。该解决方案基本上剥离了除Compatible
“约束生产者”之外的所有内容,它作为两种类型的谓词留下:
type family Matching (t1 :: K) (t2 :: K) :: Constraint
type instance Matching T1 T1 = ()
type instance Matching T2 T1 = ()
type instance Matching T1 T2 = ()
type instance Matching T4 T4 = ()
像这样使用
foo :: (Matching a b) => B a -> B b -> B Int
这使您可以完全控制兼容性的定义,以及您想要什么样的组合(不一定是单曲面),而且它更通用。它也可以扩展到无限种:
-- pseudo code, but you get what I mean
type instance NatMatching m n = (IsEven m, m > n)
回答你的最后两点:
这会更容易吗?
我实际上希望能够写的是以下内容:
type family Matching (t1 :: K) (t2 :: K) :: Constraint
type instance Matching T1 y = ()
type instance Matching x T1 = ()
type instance Matching x y = (x ~ y)
我担心这有严重的理由不被允许;但是,也许,它只是没有实施......
编辑:如今,我们有封闭型家庭,正是这样做的。