0

我正在尝试学习如何使用 optparse 来接受命令行选项,但是我很难让它像类文档和我可以在网上找到的任何示例中显示的那样运行。特别是当我通过 -h 选项时,什么都没有出现。我可以输出 ARGV 并显示它接收到 -h 但它不会显示 opts.banner 和/或任何 opts。我在这里想念什么?

class TestThing

def self.parse(args)
    options = {}
        options[:time]        = 0
        options[:operation]   = :add
        options[:input_file]  = ARGV[-2]
        options[:output_file] = ARGV[-1]
            optparse = OptionParser.new do |opts|
                opts.banner = "Usage:[OPTIONS] input_file output_file"

                opts.separator = ""
                opts.separator = "Specific Options:"


                opts.on('-o', '--operation [OPERATION]', "Add or Subtract time, use 'add' or 'sub'") do |operation|
                    optopns[:operation] = operation.to_sym
                end

                opts.on('-t', '--time [TIME]', "Time to be shifted, in milliseconds") do |time|
                    options[:time] = time
                end

                opts.on_tail("-h", "--help", "Display help screen") do
                    puts opts
                    exit
                end

                opt_parser.parse!(args)
                options
            end
end
end
4

1 回答 1

0

您需要保留结果OptionParser.new然后调用parse!它:

op = OptionParser.new do
  # what you have now
end

op.parse!

请注意,您需要在您提供给的块之外执行此操作new,如下所示:

class TestThing

def self.parse(args)
    options = {}
        options[:time]        = 0
        options[:operation]   = :add
        options[:input_file]  = ARGV[-2]
        options[:output_file] = ARGV[-1]
            optparse = OptionParser.new do |opts|
                opts.banner = "Usage:[OPTIONS] input_file output_file"
                # all the rest of your app
            end
            optparse.parse!(args)
end
end

(我留下你的缩进是为了让我的意思更清楚,但在旁注中,如果你一致地缩进,你会发现代码更容易使用)。

此外,您不需要添加-h--help-OptionParser自动为您提供这些,并且完全按照您实现它们的方式执行。

于 2013-03-24T12:12:32.013 回答