我收到此错误
Polinomios.hs:117:125:
Occurs check: cannot construct the infinite type:
t0 = (t0, t1) -> t0
Expected type: (t0, t1)
Actual type: ((t0, t1) -> t0, t1)
In the first argument of `(:)', namely `c'
In the expression: c : l
In the expression:
if n == (snd $ head $ l) then
((k + fst $ head l), n) : (tail l)
else
c : l
我已经用谷歌搜索过了,并且应该会出现类型错误,但是99%肯定没有。我知道之前有人问过,但我无法解决这个问题
adecentarPolinomio :: Polinomio -> Polinomio
adecentarPolinomio p@(Pol lista) = let f = \c@(k,n) l -> if n == (snd $ head $ l) then ((k + fst $ head l),n):(tail l) else c:l
listaOrdenada = listaPol $ ordenarPolinomio p
in Pol (foldr f [last listaOrdenada] listaOrdenada)
使用的代码:
data Coeficiente = C Int Int
data Polinomio = Pol [(Coeficiente,Grado)]
type Grado = Int
listaPol :: Polinomio -> [(Coeficiente, Int)]
listaPol (Pol l) = l
ordenarPolinomio :: Polinomio -> Polinomio
ordenarPolinomio (Pol lista) = Pol (sortBy (compare `on` snd) lista)
instance Num Coeficiente where
(+) (C 0 a) (C 0 b) = C 0 (a+b)
(+) (C n a) (C m b) = C n (mod (a+b) n)
(*) (C 0 a) (C 0 b) = C 0 (a*b)
(*) (C n a) (C m b) = C n (mod (a*b) n)
negate (C 0 a) = C 0 (-a)
negate (C n a) = C n (mod (-a) n)
答案 0 :(得分:4)
我认为k + fst $ head l
是错误的。我认为它解析为(k + fst) (head l)
,而我相信你的意思是k + (fst $ head l)
。
正因为如此,GHC对c
提出了完全错误的类型,并且非常困惑。
答案 1 :(得分:3)
括号的轻微问题导致类型检查器推断出意外类型。首先,您的代码稍微重新格式化:
adecentarPolinomio :: Polinomio -> Polinomio
adecentarPolinomio p@(Pol lista) =
let f c@(k,n) l =
if n == (snd $ head $ l)
then ((k + fst $ head l), n) : tail l
else c : l
listaOrdenada = listaPol $ ordenarPolinomio p
in Pol (foldr f [last listaOrdenada] listaOrdenada)
就像这样,我几乎可以立即发现错误,即您(k + fst $ head l)
可能需要k + fst (head l)
。一旦我修复了你的代码编译。
我想指出,您f
函数可能会因为您使用head
和tail
而中断,而是考虑
adecentarPolinomio :: Polinomio -> Polinomio
adecentarPolinomio p@(Pol lista) =
let f c@(k,n) l@((k', n'):xs) =
if n == n'
then ((k + k'), n) : xs
else c : l
f c [] = [c]
listaOrdenada = listaPol $ ordenarPolinomio p
in Pol (foldr f [last listaOrdenada] listaOrdenada)
现在该功能将处理空列表,您可以避免使用fst
,snd
,head
和tail
。