我想枚举Haskell中文件夹的所有子文件夹.获取所有文件夹内容很简单,有一个 getDirectoryContents
功能.但是我该如何过滤它们呢?由于getDirectoryContents
返回a IO [FilePath]
和filter
期望[a]
,我不能将这两者直接放在一起.(显然,我是一条带有monad和do-notation的新鲜鱼.)
getAllFolders :: FilePath -> IO [FilePath]
getAllFolder path = do
allItems <- getDirectoryContents path
-- now what? the predicate is doesDirectoryExist
Run Code Online (Sandbox Code Playgroud)
问题不在于getDirectoryContents
返回类型IO [FilePath]
,FilePath
通过绑定结果得到s 的简单列表,
getAllFolders path = do
contents <- getDirectoryContents path
-- do something with contents now, it's a plain [FilePath]
Run Code Online (Sandbox Code Playgroud)
问题是谓词doesDirectoryExist
有类型FilePath -> IO Bool
.对于这样的事情,有
ghci> :t Control.Monad.filterM
Control.Monad.filterM :: Monad m => (a -> m Bool) -> [a] -> m [a]
Run Code Online (Sandbox Code Playgroud)
filterM
定义于Control.Monad
,所以
getAllFolders path = do
contents <- getDirectoryContents path
filterM doesDirectoryExist contents
Run Code Online (Sandbox Code Playgroud)
或者,不将目录的内容绑定到名称,
getAllFolders path = getDirectoryContents path >>= filterM doesDirectoryExist
Run Code Online (Sandbox Code Playgroud)
和无点:
getAllFolders = getDirectoryContents >=> filterM doesDirectoryExist
Run Code Online (Sandbox Code Playgroud)