2

我是来自 C++ 和 Java 背景的 Haskell 新手。有时,我对 Haskell 的类型系统有疑问。我当前的错误是这段代码:

countIf :: (Integral b) => [a] -> (a -> Bool) -> b
countIf [] p = 0
countIf (x:xs) p
  | p x = 1 + countIf xs p
  | otherwise = countIf xs p

isRelativelyPrime :: (Integral a) => a -> a -> Bool
isRelativelyPrime m n = gcd m n == 1

phi :: (Integral a, Integral b) => a -> b
phi n = countIf [1..(n - 1)] (isRelativelyPrime n)

main = print [(n, phi n, ratio) | n <- [1..10], let ratio = (fromIntegral (phi n)) / n]

错误信息是

prog.hs:13:60:
    Ambiguous type variable `b' in the constraints:
      `Fractional b' arising from a use of `/' at prog.hs:13:60-85
      `Integral b' arising from a use of `phi' at prog.hs:13:75-79
    Probable fix: add a type signature that fixes these type variable(s)

13:60 就在我在 main 的列表理解中的 let 绑定中使用 fromIntegral 之前。我仍在尝试习惯 ghc 的错误消息。我无法破译这个特定的内容,以便弄清楚我需要更改哪些内容才能编译我的代码。任何帮助将不胜感激。谢谢。

4

2 回答 2

6

这是一个常见的初学者错误示例:过度多态的代码

您已使代码尽可能通用,例如

phi :: (Integral a, Integral b) => a -> b

这将通过转换将任何整数类型转换为任何其他整数类型phi

这种多态代码非常适合库,但不适合类型推断。我会投入资金,你只是想让它在整数上工作,所以我们可以继续给出更准确的类型,

countIf :: [Integer] -> (Integer -> Bool) -> Integer
countIf [] p = 0
countIf (x:xs) p
  | p x       = 1 + countIf xs p
  | otherwise = countIf xs p

isRelativelyPrime :: Integer -> Integer -> Bool
isRelativelyPrime m n = gcd m n == 1

phi :: Integer -> Integer
phi n = countIf [1..(n - 1)] (isRelativelyPrime n)

main = print [ (n, phi n, ratio)
             | n <- [1..10], let ratio = (fromIntegral (phi n)) ]

并且类型错误就消失了。

您甚至可能会看到性能改进(特别是如果您专注于Int)。

于 2012-06-06T20:11:32.560 回答
3

您还需要在 n 上调用 fromIntegral,因为 Haskell 不会自动从整数类型转换,自从您调用 fromIntegral (phi n) 以来,您似乎已经知道这一点。我经常犯这个错误,没什么大不了的!

于 2012-06-06T19:19:14.447 回答