我在为我编写的数据类型执行实例声明时使用了类型上下文。
data Set a = Insert a (Set a) | EmptySet
instance (Show a) => Show (Set a) where
show x = "{" ++ show' x ++ "}" where
show' (Insert x EmptySet) = show x
show' (Insert x xs) = show x ++ ", " ++ show' xs
instance Eq a => Eq (Set a) where
(Insert x xs) == (Insert y ys) = (x == y) && (xs == ys)
所以现在,我必须将Eq类型上下文添加到我定义的所有使用我的Set类型的函数中,就像这样,或者我得到一个类型错误:
memberSet::Eq a =>a->Set a->Bool
memberSet _ EmptySet = False
memberSet x (Insert y ys)
| x == y = True
| otherwise = memberSet x ys
subSet::Eq a=>Set a->Set a->Bool
subSet EmptySet _ = True
subSet (Insert a as) bs
| memberSet a bs = subSet as bs
| otherwise = False
我得到的错误如下:
No instance for (Eq a)
arising from a use of `=='
In the expression: (x == y)
In a stmt of a pattern guard for
an equation for `memberSet':
(x == y)
In an equation for `memberSet':
memberSet x (Insert y ys)
| (x == y) = True
| otherwise = memberSet x ys
Failed, modules loaded: none.
这甚至意味着什么?为什么我会收到此错误?我想,一旦我做了实例声明,Haskell就能自动验证我的函数“memberSet”和“subSet”中被“==”比较的东西会自动被检查为“Eq?”的实例< / p>
为清晰起见编辑:
我的问题是我不明白为什么在“memberSet”和“subSet”上需要类型上下文。如果我这样删除它们,它就不会编译。
memberSet::a->Set a->Bool
memberSet _ EmptySet = False
memberSet x (Insert y ys)
| x == y = True
| otherwise = memberSet x ys
subSet::Set a->Set a->Bool
subSet EmptySet _ = True
subSet (Insert a as) bs
| memberSet a bs = subSet as bs
| otherwise = False
答案 0 :(得分:7)
只是为了它的乐趣,你可以安排它,以便使用GADT
来对函数不必要的约束:
{-# LANGUAGE GADTs #-}
module Set where
data Set x where
EmptySet :: Set a
Insert :: Eq a => a -> Set a -> Set a
instance Show a => Show (Set a) where
show EmptySet = "{}"
show xs = "{" ++ show' xs ++ "}"
where
show' (Insert a EmptySet) = show a
show' (Insert a ys) = show a ++ ", " ++ show' ys
instance Eq (Set a) where
(Insert x xs) == (Insert y ys) = x == y && xs == ys
EmptySet == EmptySet = True
_ == _ = False
memberSet :: a -> Set a -> Bool
memberSet x (Insert y ys) = x == y || memberSet x ys
memberSet _ _ = False
subSet :: Set a -> Set a -> Bool
subSet EmptySet _ = True
subSet (Insert a as) bs
| memberSet a bs = subSet as bs
| otherwise = False
通过将Eq
约束放在该类型的Insert
构造函数上,我们可以确保
Eq
以外的类型构建非空集。Eq
构造函数上进行模式匹配时,Insert
上下文(和字典)都可用,因此我们不需要在函数的类型签名中提及它。答案 1 :(得分:4)
您的实例声明所说的是,只要Set a
,Eq
就是a
的实例。事实上,a
是否是Eq
的一个实例完全是另一回事;这仅允许您将两个Set
与==
进行比较,而在memberSet
中您只是比较元素。
考虑类型Integer -> Integer
。这不是Eq
的实例,原因应该是显而易见的。如果memberSet
包含该类型的元素,您期望Set
如何工作?
我想知道你希望在这里完成的是确保只能创建Set
的元素类型是Eq
的实例。如果是这样,那是一个非常不同的问题,但也基本上没有必要 - 使用Eq
对函数保留Set
约束最终会起到同样的作用。
为什么不看看the standard Data.Set
module?请注意,它在集合上运行的大多数函数都有Ord
约束,反映了使用的内部表示是二叉搜索树这一事实。