Parsing options¶
case-app offers several ways to parse input arguments:
- method calls,
- app definitions.
Method calls¶
The CaseApp object contains a number of methods that can be used to parse arguments.
parse¶
CaseApp.parse accepts a sequence of strings, and returns either an error or
parsed options and remaining arguments:
case class Options(
  foo: Int = 0
)
val args = Seq("a", "--foo", "2", "b")
val (options, remaining) = CaseApp.parse[Options](args).toOption.get
assert(options == Options(2))
assert(remaining == Seq("a", "b"))
val either = CaseApp.parse[Options](Seq("--foo", "a"))
assert(either.left.toOption.nonEmpty)
parseWithHelp¶
CaseApp.parseWithHelp does the same as CaseApp.parse, but also accepts
--help / -h / --usage options.
CaseApp.parseWithHelp[Options](args) match {
  case Left(error) => // invalid options…
  case Right((Left(error), helpAsked, usageAsked, remaining)) =>
    // missing mandatory options, but --help or --usage could be parsed
  case Right((Right(options), helpAsked, usageAsked, remaining)) =>
    // All is well:
    // Options were parsed, resulting in options
    // helpAsked and / or usageAsked are true if either has been requested
    // remaining contains non-option arguments
}
detailedParse, detailedParseWithHelp¶
CaseApp.detailedParse and CaseApp.detailedParseWithHelp behave the same way
as CaseApp.parse and CaseApp.parseWithHelp, but return their remaining arguments
as a RemainingArgs instance, rather than a Seq[String]. See below
for what RemainingArgs brings.
process¶
CaseApp.process is the most straightforward method to parse arguments. Note that
it exits the current application if parsing arguments fails or if users request
help, with --help for example.
It aims at being used from Scala CLI .sc files ("Scala scripts"), where one
would rather have case-app handle all errors cases, like
//> using dep com.github.alexarchambault::case-app::2.1.0
import caseapp._
case class Options(
  foo: Int = 0,
  path: Option[String] = None
)
val (options, remaining) = CaseApp.process[Options](args.toSeq)
// …
Application definition¶
case-app allows one to alter one's main class definitions, so that one defines a method accepting parsed options, rather than raw arguments:
case class Options(
  foo: Int = 0
)
object MyApp extends CaseApp[Options] {
  def run(options: Options, remaining: RemainingArgs): Unit = {
    ???
  }
}
In that example, case-app defines the MainApp#main method, so that
MyApp can be used as a "main class".
Parsing¶
Double-hyphen¶
case-app assumes any argument after -- is not an option. It stops looking
for options after --. Arguments before and after -- can be differentiated
in the RemainingArgs class: