我还在学习Haskell,我真的对这种语言感到困惑。。。我必须实现两个函数fromInteger :: Integer -> String
和toInteger :: String -> Integer
,它们以相反的顺序在Haskell整数和数字串之间转换,比如:"25" -> "52"
。为了进行功能分解,我应该首先实现fromDigit :: Integer -> Char
和toDigit :: Char -> Integer
在数字和字符之间转换。函数应该是什么样子?非常感谢!
您可以使用read :: Read a => String -> a
和show :: Show a => a -> String
从Integer
转换为String
:
Prelude> show 52
"52"
Prelude> read "52" :: Integer
52
但您不需要将值转换为字符串来颠倒数字的顺序。您可以使用递归和quotRem :: Integral a => a -> a -> (a, a)
来获得商和余数。
也可以使用递归将Integer
转换为String
。这里我们使用String
作为累加器,每次计算最后一位。这看起来像:
fromInteger :: Integer -> String
fromInteger = go []
where go ls x | x <= 9 = … : …
| otherwise = go (… : ls) …
where (q, r) = quotRem x 10
其中您仍然需要填写…
部分。