doesFileExist "foo.txt"
- это IO Bool
, что означает, что его результат зависит от состояния внешнего мира.
Вы на правильном пути с map doesFileExist files
- это выражение вернет [IO Bool]
, или список зависимых от мира выражений. На самом деле нужно выражение IO
, содержащее список bools. Вы можете получить это используя sequence
:
sequence :: Monad m => [m a] -> m [a]
или, поскольку вы просто используете последовательность / карту, вспомогательная функция mapM
:
mapM :: Monad m => (a -> m b) -> [a] -> m [b]
mapM f xs = sequence (map f xs)
Давайте вернемся к вашему коду. Вот версия, использующая mapM
, с комментариями:
import System.Directory
-- When figuring out some unfamiliar libraries, I like to use type annotations
-- on all top-level definitions; this will help you think through how the types
-- match up, and catch errors faster.
allFilesPresent :: [String] -> IO Bool
-- Because allFilesPresent returns a computation, we can use do-notation to write
-- in a more imperative (vs declarative) style. This is sometimes easier for students
-- new to Haskell to understand.
allFilesPresent files = do
-- Run 'doesFileExist' tests in sequence, storing the results in the 'filesPresent'
-- variable. 'filesPresent' is of type [Bool]
filesPresent <- mapM doesFileExist files
-- The computation is complete; we can use the standard 'and' function to join the
-- list of bools into a single value.
return (and filesPresent)
Альтернативная версия использует более декларативный синтаксис; это, вероятно, написал бы опытный программист на Haskell:
allFilesPresent :: [String] -> IO Bool
allFilesPresent = fmap and . mapM doesFileExist