Given the following data type from TypeClassopedia:
data Cons a = Cons a (Cons a) | Empty deriving (Show, Eq)
I implemented its evil Functor implementation:
instance Functor Cons where
fmap _ Empty = Empty
fmap f (Cons x xs) = Cons (f x) (Cons (f x) (fmap f xs) )
Then, I attempted to write a function (quickcheck property) that takes a Cons a
and returns a Bool
:
prop_id_functor_law :: Cons a -> Bool
prop_id_functor_law x = fmap id x == id x
However, I get a compile-time error:
Prelude> :l EvilFunctor
[1 of 1] Compiling EvilFunctor ( EvilFunctor.hs, interpreted )
EvilFunctor.hs:18:23:
No instance for (Eq a) arising from a use of `=='
Possible fix:
add (Eq a) to the context of
the type signature for prop_id :: Cons a -> Bool
In the expression: fmap id x == id x
In an equation for `prop_id': prop_id x = fmap id x == id x
Failed, modules loaded: none.
My rough intuition is that this compile-time error makes sense. How could two a
's be compared unless they implemented the Eq
typeclass?
However, what did the deriving ... Eq
even do when I defined data Cons a
?
It says you need to add the constraint to
prop_id_functor_law
, so it'd beprop_id_functor_law :: Eq a => Cons a -> Bool
. Thederiving
part just means it derives the instanceYou still have that the type parameter is constrained in order for the
Eq
instance to be satisfied. If you were to check:info Cons
in GHCi, you'd see that instance.