您描述命令行选项的方式与大多数人期望使用它们的方式不同。通常,命令行选项将采用单个参数,并且没有前面选项的参数作为参数传递。如果一个参数需要多个项目(如文件列表),我建议使用 strsplit() 解析字符串。
这是一个使用 optparse 的示例:
library (optparse)
option_list <- list ( make_option (c("-f","--filelist"),default="blah.txt",
help="comma separated list of files (default %default)")
)
parser <-OptionParser(option_list=option_list)
arguments <- parse_args (parser, positional_arguments=TRUE)
opt <- arguments$options
args <- arguments$args
myfilelist <- strsplit(opt$filelist, ",")
print (myfilelist)
print (args)
以下是几个示例运行:
$ Rscript blah.r -h
Usage: blah.r [options]
Options:
-f FILELIST, --filelist=FILELIST
comma separated list of files (default blah.txt)
-h, --help
Show this help message and exit
$ Rscript blah.r -f hello.txt
[[1]]
[1] "hello.txt"
character(0)
$ Rscript blah.r -f hello.txt world.txt
[[1]]
[1] "hello.txt"
[1] "world.txt"
$ Rscript blah.r -f hello.txt,world.txt another_argument and_another
[[1]]
[1] "hello.txt" "world.txt"
[1] "another_argument" "and_another"
$ Rscript blah.r an_argument -f hello.txt,world.txt,blah another_argument and_another
[[1]]
[1] "hello.txt" "world.txt" "blah"
[1] "an_argument" "another_argument" "and_another"
请注意,对于 strsplit,您可以使用正则表达式来确定分隔符。我会建议如下内容,它可以让您使用逗号或冒号来分隔您的列表:
myfilelist <- strsplit (opt$filelist,"[,:]")