I have 2 classes:
class (IsColor (ColorType a)) => ColorList a where
type ColorType a :: *
foreground :: a -> (ColorType a)
background :: a -> (ColorType a)
class (ColorList (ThemeColorList a)) => Theme a where
type ThemeColorList a :: *
renderTheme :: a -> b
I have function dosomething with type signature:
dosomething :: (IsColor a) => a -> Int
I define instance of Theme class for data type SimpleTheme:
data SimpleTheme a = SimpleTheme a
instance (ColorList a) => Theme (SimpleTheme a) where
type ThemeColorList (SimpleTheme a) = a
renderTheme theme = dosomething $ background theme
If in renderTheme I do something with background or foreground, I get compilation error:
Could not deduce (IsColor (ColorType (SimpleTheme a)))
arising from a use of ‘dosomething’
from the context (ColorList (ThemeColorList (SimpleTheme a)),
ColorList a)
bound by the instance declaration at
How to solve problem?
You can fix that single problem by changing the definition of
renderTheme
in theSimpleTheme
instance. The context only requires that there be aColorList a
instance, not aColorList (SimpleTheme a)
, so we can usebackground
on thea
held in aSimpleTheme
, but can't usebackground
on the wholeSimpleTheme
.Explanation of the error
From the context
We can deduce the following.
ColorList a
there must be what is required for aColorList
. That is, there's a typeColorType a
and an instanceIsColor (ColorType a)
.ColorList (ThemeColorList (SimpleTheme a))
there must be what is required for aColorList
. that is, there's a typeColorType (ThemeColorList (SimpleTheme a))
and an instanceIsColor (ThemeColorList (SimpleTheme a))
.None of these is an instance for
IsColor (ColorType (SimpleTheme a))
, which is why you get the error.