我希望从Ruby的OptionParser中获取在命令行中指定的确切选项标志。
例如,假设我有以下代码:
parser = OptionParser.new {
|opts|
opts.on('-f', '--file FILE', 'filename') {
|arg|
$filename = arg
# Here I'd like to know whether '-f' or '--file' was entered
# on the command line.
}
# ... etc. ...
}
我想知道用户是否碰巧输入了' -f'或者' - 文件'在命令行上。如果不编写两个单独的opts.on
块,这是否可行?
答案 0 :(得分:0)
我不认为你可以在OptionParser.new
区块内传递标记。那时已经太晚了。但是,在OptionParser解析命令行之前,可以查看并查看传入的内容。
ARGV
包含原始命令行。例如,如果这是某些代码的命令行调用:
foo -i 1 -j 2
然后ARGV
将包含:
["-i", "1", "-j", "2"]
然后,抓住旗帜变得非常容易:
ARGV.grep(/^-/) # => ["-i", "-j"]
Ruby还有其他类似OptionParser的工具,那些可能让你访问正在使用的标志,但我无法想到我一直关心的原因。查看您的代码,您似乎并不了解如何使用OptionParser:
parser = OptionParser.new {
|opts|
opts.on('-f', '--file FILE', 'filename') {
|arg|
$filename = arg
# Here I'd like to know whether '-f' or '--file' was entered
# on the command line.
}
# ... etc. ...
}
我没有这样做,而是写下来:
options = {}
OptionParser.new do |opts|
opts.on('-f', '--file FILE', 'filename') { |arg| options[:filename] = arg }
end.parse!
if options[:filename]
puts 'exists' if File.exist?(options[:filename])
end
然后,在代码的后面,您可以检查options
哈希,看看是否给出了-f
或--file
选项,以及值是什么。它是-f
或--file
中的一个或另一个不应该重要。
如果确实如此,那么您需要区分这两个标志,而不是像对待它们一样对待它们:
options = {}
OptionParser.new do |opts|
opts.on('-f', 'filename') { |arg| options[:f] = arg }
opts.on('--file FILE', 'filename') { |arg| options[:file] = arg }
end.parse!
if options[:file] || options[:f]
puts 'exists' if File.exist?(options[:file] || options[:f])
end