Scala中的简单函数getopt

时间:2015-04-17 17:47:30

标签: scala getopt

def main(args: Array[String]) {
  if (args.length == 0) println(usage)
  val argList = args.toList
  type OptionMap = Map[Symbol, Any]

  def nextOption(map: OptionMap, list: List[String]): OptionMap = {
    list match {
      case Nil => map
      case "-h" | "--help" :: tail => usage(); sys.exit(0)
      case "-p" | "--port" :: option :: tail => nextOption(map ++ Map('port -> option.toInt), tail)
  }
}

有没有办法在List中捕获更多的头部值?此代码生成

type mismatch;
   found   : String("-h")
   required: List[String]
        case "-h" | "--help" :: tail => usage(); sys.exit(0)
             ^

可能重复:Best way to parse command-line parameters?

2 个答案:

答案 0 :(得分:9)

将代码包装在括号中:

case ("-h" | "--help") :: tail => usage(); sys.exit(0)

如果没有括号,编译器会将代码解释为

case ("-h") | ("--help" :: tail) => usage(); sys.exit(0)

这不是你想要的。

答案 1 :(得分:3)

Scala的模式匹配允许您在变量中存储匹配项,然后对该变量执行条件检查。

list match {
  case Nil => map
  case x :: tail if x == "-h" || x == "--help" => usage(); sys.exit(0)
  case y :: option :: tail if y == "-p" || y == "--port" => nextOption(map ++ Map('port -> option.toInt), tail)
}