Final answer:
The Haskell function 'toDigits' converts a positive integer into a list of its digits using string manipulation, returning an empty list for non-positive integers.
Step-by-step explanation:
The Haskell function toDigits should convert a positive integer into a list of its digits. If the input is zero or a negative number, it should return an empty list. Below is a possible implementation of the toDigits function:
toDigits :: Integer -> [Integer]
toDigits n
| n > 0 = map (read . (:[])) . show $ n
| otherwise = []
To walk through the logic:
- The function checks whether the input integer n is positive.
- If n is positive, it converts the integer to a string using show, then maps over each character of the string.
- For each character, it creates a singleton list (using (:[])) and then reads it back into an integer.
- If n is not positive, the function returns an empty list.
This function works correctly based on the provided examples:
- toDigits 6724 returns [6,7,2,4]
- toDigits 0 returns []
- toDigits -17 returns []