我一直在尝试使用Turtle构建命令行解析器,没什么特别的:https://github.com/Tyrn/go-procr
#!/usr/bin/env stack
{-# LANGUAGE OverloadedStrings #-}
module Main where
import Turtle
import Prelude hiding (FilePath)
parserSwitch :: Parser (Bool, Bool)
parserSwitch = (,) <$> switch "verbose" 'v' "Unless verbose, just progress bar is shown"
<*> switch "filetitle" 'f' "Use file name for title tag"
parserArg :: Parser (FilePath, FilePath)
parserArg = (,) <$> argPath "src" "Source directory"
<*> argPath "dst" "Destination directory"
main :: IO ()
main = do
(verbose, filetitle) <- options "Flags" parserSwitch
echo (format ("verbose: "%w) verbose)
echo (format ("filetitle: "%w) filetitle)
(src, dst) <- options "Args" parserArg
echo (format ("src: "%fp) src)
echo (format ("dst: "%fp) dst)
需要三种参数:布尔标志;选项,文本和整数;位置论证。到目前为止,我遇到了布尔标志和位置参数。不幸的是,即使这样,这些例子似乎也太基本了。
我是否真的需要为不同类型的选项构建单独的解析器(我无法通过单个解析器来满足语法)?
无论如何,它不会按预期工作。
我无法弄清楚我的下一步应该是什么。
答案 0 :(得分:2)
您的第一步是提供一些可以轻松存储和检索选项的内容:
data Settings = Settings
{ settingsVerbose :: Bool
, settingsFileTitle :: Bool
, settingsSource :: FilePath
, settingsDestination :: FilePath
}
然后,您为您的选项编写解析器。为了说清楚,首先让我们有点啰嗦:
verboseParser :: Parser Bool
verboseParser = switch "verbose" 'v' "Be more verbose"
fileTitleParser :: Parser Bool
fileTitleParser = switch "filetitle" 'f' "..."
sourceParser :: Parser FilePath
sourceParser = argPath "src" "Source directory"
destinationParser :: Parser FilePath
destinationParser = argPath "dst" "Destination directory"
由于Parser
是Applicative
的一个实例,我们可以在一个解析器中组合所有选项:
settingsParser :: Parser Settings
settingsParser =
Settings <$> verboseParser
<*> fileTitleParser
<*> sourceParser
<*> destinationParser
我们将所有四个解析器合并为一个解析器,类似于通过(,)
的组合。现在,我们可以通过对<{1}}的单调用来解析这些选项。毕竟,要么所有参数都是正确的,要么我们必须向用户提供正确的用法:
options
您可能希望使用较短的名称,并且可能在main = do
s <- options "Description of your program" settingsParser
echo (format ("verbose: "%w) (settingsVerbose s))
echo (format ("filetitle: "%w) (settingsFileTitle s))
echo (format ("src: "%fp) (settingsSource s))
echo (format ("dst: "%fp) (settingsDestination s))
中编写解析器:
settingsParser