如果使用 optparse 给出 none,如何默认信息

How to default to information if none is given using optparse

我有一个创建电子邮件的程序,我想做的是当给出 -t 标志并且没有给出标志的参数时,默认为某些东西,而不是输出通常的:<main>': missing argument: -t (OptionParser::MissingArgument)

所以我的问题是,如果我有这个标志:

require 'optparse'

OPTIONS = {}

OptionParser.new do |opts|
  opts.on('-t INPUT', '--type INPUT', 'Specify who to say hello to'){ |o| OPTIONS[:type] = o }
end.parse!

def say_hello
  puts "Hello #{OPTIONS[:type]}"
end  

case
  when OPTIONS[:type]
    say_hello
  else
    puts "Hello World"
end   

并且我 运行 这个标志没有必需的参数 INPUT 我如何让程序输出 Hello World 而不是: <main>': missing argument: -t (OptionParser::MissingArgument)?

示例:

C:\Users\bin\ruby\test_folder>ruby opt.rb -t hello
Hello hello

C:\Users\bin\ruby\test_folder>ruby opt.rb -t
opt.rb:7:in `<main>': missing argument: -t (OptionParser::MissingArgument)

C:\Users\bin\ruby\test_folder>

我发现通过在 INPUT 周围添加方括号,我可以提供提供输入示例的选项:

require 'optparse'

OPTIONS = {}

OptionParser.new do |opts|
  opts.on('-t [INPUT]', '--type [INPUT]', 'Specify the type of email to be generated'){ |o| OPTIONS[:type] = o }
end.parse!

def say_hello
  puts "Hello #{OPTIONS[:type]}"
end  

case 
  when OPTIONS[:type]
    say_hello
  else
    puts "Hello World"
end

输出:

C:\Users\bin\ruby\test_folder>ruby opt.rb -t
Hello World

C:\Users\bin\ruby\test_folder>ruby opt.rb -t hello
Hello hello

所以如果我这样做:

require 'optparse'

OPTIONS = {}

OptionParser.new do |opts|
  opts.on('-t [INPUT]', '--type [INPUT]', 'Specify the type of email to be generated'){ |o| OPTIONS[:type] = o }
end.parse!

def say_hello
  puts "Hello #{OPTIONS[:type]}"
  puts
  puts OPTIONS[:type]
end  

case 
  when OPTIONS[:type]
    say_hello
  else
    puts "Hello World"
    puts OPTIONS[:type] unless nil; puts "No value given"
end

我可以输出提供的信息,或者当没有提供信息时我可以输出No value given:

C:\Users\bin\ruby\test_folder>ruby opt.rb -t hello
Hello hello

hello

C:\Users\bin\ruby\test_folder>ruby opt.rb -t
Hello World

No value given