I don't understand why Haskell can't figure out the type for line 8 in the following code. Doesn't the type signature of the expressMaybe function establish that the result type is the same as the type of the two input parameters?
{-# LANGUAGE MultiParamTypeClasses #-}
class Gene g n where
express :: g -> g -> g
-- there will be other functions that use the "n" type parameter
expressMaybe :: Gene g n => Maybe g -> Maybe g -> Maybe g
expressMaybe (Just a) (Just b) = Just (express a b) -- line 8
expressMaybe (Just a) Nothing = Just a
expressMaybe Nothing (Just b) = Just b
expressMaybe Nothing Nothing = Nothing
The error I get is:
Amy20.hs:8:40:
Ambiguous type variable `n0' in the constraint:
(Gene g n0) arising from a use of `express'
Probable fix: add a type signature that fixes these type variable(s)
In the first argument of `Just', namely `(express a b)'
In the expression: Just (express a b)
In an equation for `expressMaybe':
expressMaybe (Just a) (Just b) = Just (express a b)
Failed, modules loaded: none.
I tried playing around with RankNTypes and ScopedTypeVariables, but I couldn't figure out how to make the error go away.
Thank you in advance for your help!
Edit: Now that I understand the problem, I used fundeps, because I'm familiar with them, and for my application it doesn't make much sense to have more than one "alphabet" for encoding genes. I've never used type families before, though, so I'll look into that too.
{-# LANGUAGE MultiParamTypeClasses, FunctionalDependencies #-}
class Gene g n | g -> n where
express :: g -> g -> g
-- there will be other functions that use the "n" type parameter
expressMaybe :: Gene g n => Maybe g -> Maybe g -> Maybe g
expressMaybe (Just a) (Just b) = Just (express a b) -- line 8
expressMaybe (Just a) Nothing = Just a
expressMaybe Nothing (Just b) = Just b
expressMaybe Nothing Nothing = Nothing
Consider this:
Should that code produce
(Just "INT")
or(Just "DOUBLE")
? Yes, Haskell knows that the result ofexpressMaybe
will have the same type as the arguments. But that doesn't mean it knows which instance to use here since there can be multiple instances for the same typeg
with differentn
.If in your case there will only ever be one type
n
for each typeg
, you might consider using extensions like type families or functional dependencies with which you can express that fact to the type system.